import pandas as pd
import numpy as np
import string
import matplotlib.pyplot as plt
import seaborn as sns
import plotly.express as px
import nltk
import json
from sklearn.preprocessing import StandardScaler
from sklearn.decomposition import PCA
from sklearn.manifold import TSNE
from sklearn.cluster import KMeans
from sklearn.metrics import pairwise_distances_argmin
from sklearn.datasets import load_sample_image
from sklearn.utils import shuffle
from PIL import Image
from sklearn.model_selection import train_test_split
from sklearn.neighbors import KNeighborsClassifier
from sklearn.tree import DecisionTreeClassifier
from sklearn.svm import SVC
from sklearn.ensemble import RandomForestClassifier
from sklearn.ensemble import AdaBoostClassifier
from sklearn.metrics import classification_report
from sklearn.metrics import confusion_matrix
from sklearn.metrics import accuracy_score
from nltk.corpus import stopwords
from wordcloud import WordCloud
from sklearn.feature_extraction.text import TfidfVectorizer
beijingAirData = pd.read_csv("C:/Users/Studying/Data/PRSA_Data_Aotizhongxin_20130301-20170228.csv")
conditions = [
(beijingAirData['PM2.5'] <=60) & (beijingAirData['PM10'] <=100) & (beijingAirData['SO2'] <= 80) & (beijingAirData['NO2'] <=80) & (beijingAirData['O3'] <= 100),
(beijingAirData['PM2.5'] > 61) | (beijingAirData['PM10'] >101) | (beijingAirData['SO2'] > 81) | (beijingAirData['NO2'] >81) | (beijingAirData['O3'] > 101)
]
values = [1, 2]
beijingAirData['airQuality'] = np.select(conditions, values)
index = beijingAirData[ (beijingAirData['airQuality'] == 0)].index
beijingAirData.drop(index , inplace=True)
updated_beijingAirData = beijingAirData.dropna(axis=0)
features = updated_beijingAirData.drop(labels = ['year', 'month', 'day', 'hour', 'CO', 'TEMP', 'PRES', 'DEWP', 'RAIN', 'wd', 'WSPM', 'station', 'airQuality'], axis = 1)
label = updated_beijingAirData.drop(labels = ['No', 'year', 'month', 'day', 'hour', 'PM2.5', 'PM10', 'SO2', 'NO2', 'CO', 'O3', 'TEMP', 'PRES', 'DEWP', 'RAIN', 'wd', 'WSPM', 'station'], axis = 1)
label.info()
<class 'pandas.core.frame.DataFrame'> Int64Index: 31618 entries, 0 to 35063 Data columns (total 1 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 airQuality 31618 non-null int32 dtypes: int32(1) memory usage: 370.5 KB
features_scaled = StandardScaler().fit_transform(features)
features
| No | PM2.5 | PM10 | SO2 | NO2 | O3 | |
|---|---|---|---|---|---|---|
| 0 | 1 | 4.0 | 4.0 | 4.0 | 7.0 | 77.0 |
| 1 | 2 | 8.0 | 8.0 | 4.0 | 7.0 | 77.0 |
| 2 | 3 | 7.0 | 7.0 | 5.0 | 10.0 | 73.0 |
| 3 | 4 | 6.0 | 6.0 | 11.0 | 11.0 | 72.0 |
| 4 | 5 | 3.0 | 3.0 | 12.0 | 12.0 | 72.0 |
| ... | ... | ... | ... | ... | ... | ... |
| 35059 | 35060 | 12.0 | 29.0 | 5.0 | 35.0 | 95.0 |
| 35060 | 35061 | 13.0 | 37.0 | 7.0 | 45.0 | 81.0 |
| 35061 | 35062 | 16.0 | 37.0 | 10.0 | 66.0 | 58.0 |
| 35062 | 35063 | 21.0 | 44.0 | 12.0 | 87.0 | 35.0 |
| 35063 | 35064 | 19.0 | 31.0 | 10.0 | 79.0 | 42.0 |
31618 rows × 6 columns
features_scaled
array([[-1.77904622, -0.96896307, -1.12231662, -0.57919751, -1.40235453,
0.35799642],
[-1.77894678, -0.91934692, -1.07972347, -0.57919751, -1.40235453,
0.35799642],
[-1.77884734, -0.93175096, -1.09037176, -0.53534622, -1.32150724,
0.28894858],
...,
[ 1.70737337, -0.82011463, -0.7709232 , -0.31608976, 0.18764219,
0.03001917],
[ 1.70747281, -0.75809444, -0.6963852 , -0.22838717, 0.75357322,
-0.36700593],
[ 1.70757225, -0.78290251, -0.83481291, -0.31608976, 0.53798045,
-0.24617221]])
pca = PCA(n_components = 2)
pca_features = pca.fit_transform(features_scaled)
pca_features
array([[-1.89495546, -1.83097334],
[-1.84785218, -1.80847851],
[-1.7847663 , -1.84112153],
...,
[-1.033702 , 1.18422462],
[-0.54822498, 1.10794289],
[-0.80349838, 1.11931248]])
pcaDataFrame = pd.DataFrame(data = pca_features, columns = ['Principal component 1', 'Principal component 2'])
pcaDataFrame['airQuality'] = label
pcaDataFrame.info()
<class 'pandas.core.frame.DataFrame'> RangeIndex: 31618 entries, 0 to 31617 Data columns (total 3 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 Principal component 1 31618 non-null float64 1 Principal component 2 31618 non-null float64 2 airQuality 28362 non-null float64 dtypes: float64(3) memory usage: 741.2 KB
pcaDataFrame = pcaDataFrame.dropna(axis=0)
pcaDataFrame
| Principal component 1 | Principal component 2 | airQuality | |
|---|---|---|---|
| 0 | -1.894955 | -1.830973 | 1.0 |
| 1 | -1.847852 | -1.808479 | 1.0 |
| 2 | -1.784766 | -1.841122 | 1.0 |
| 3 | -1.674723 | -1.920297 | 1.0 |
| 4 | -1.679301 | -1.947833 | 1.0 |
| ... | ... | ... | ... |
| 31613 | -1.764875 | 1.350911 | 1.0 |
| 31614 | -1.485954 | 1.294995 | 1.0 |
| 31615 | -1.033702 | 1.184225 | 1.0 |
| 31616 | -0.548225 | 1.107943 | 1.0 |
| 31617 | -0.803498 | 1.119312 | 1.0 |
28362 rows × 3 columns
fig = px.scatter(pcaDataFrame, x = 'Principal component 1', y = 'Principal component 2', color=pcaDataFrame['airQuality'])
fig.show()
sns.set()
sns.lmplot(
x='Principal component 1',
y='Principal component 2',
data=pcaDataFrame,
hue='airQuality',
fit_reg=False,
legend=True
)
plt.title('2D PCA Graph')
plt.show()
tsne = TSNE(n_components = 2)
tsne_features = tsne.fit_transform(features_scaled)
C:\Users\Studying\AppData\Local\Programs\Python\Python310\lib\site-packages\sklearn\manifold\_t_sne.py:800: FutureWarning: The default initialization in TSNE will change from 'random' to 'pca' in 1.2. C:\Users\Studying\AppData\Local\Programs\Python\Python310\lib\site-packages\sklearn\manifold\_t_sne.py:810: FutureWarning: The default learning rate in TSNE will change from 200.0 to 'auto' in 1.2.
tsneDataFrame = pd.DataFrame(data = tsne_features, columns = ['Principal component 1', 'Principal component 2'])
tsneDataFrame['airQuality'] = label
tsneDataFrame.info()
<class 'pandas.core.frame.DataFrame'> RangeIndex: 31618 entries, 0 to 31617 Data columns (total 3 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 Principal component 1 31618 non-null float32 1 Principal component 2 31618 non-null float32 2 airQuality 28362 non-null float64 dtypes: float32(2), float64(1) memory usage: 494.2 KB
tsneDataFrame = tsneDataFrame.dropna(axis=0)
tsneDataFrame.info()
<class 'pandas.core.frame.DataFrame'> Int64Index: 28362 entries, 0 to 31617 Data columns (total 3 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 Principal component 1 28362 non-null float32 1 Principal component 2 28362 non-null float32 2 airQuality 28362 non-null float64 dtypes: float32(2), float64(1) memory usage: 664.7 KB
fig = px.scatter(tsneDataFrame, x = 'Principal component 1', y = 'Principal component 2', color=pcaDataFrame['airQuality'])
fig.show()
sns.set()
sns.lmplot(
x='Principal component 1',
y='Principal component 2',
data=tsneDataFrame,
hue='airQuality',
fit_reg=False,
legend=True
)
plt.title('2D PCA Graph')
plt.show()
kotek = Image.open("C:/Users/Studying/Data/kotek.jpg")
kotek = np.array(kotek, dtype=np.float64) / 255
w, h, d = original_shape = tuple(kotek.shape)
image_array = np.reshape(kotek, (w * h, d))
print("Fitting model on a small sub-sample of the data")
image_array_sample = shuffle(image_array, random_state=0, n_samples=1_000)
kmeans64 = KMeans(n_clusters=64, random_state=0).fit(image_array_sample)
kmeans32 = KMeans(n_clusters=32, random_state=0).fit(image_array_sample)
kmeans16 = KMeans(n_clusters=16, random_state=0).fit(image_array_sample)
kmeans8 = KMeans(n_clusters=8, random_state=0).fit(image_array_sample)
Fitting model on a small sub-sample of the data
print("Predicting color indices on the full image (k-means)")
labels64 = kmeans64.predict(image_array)
labels32 = kmeans32.predict(image_array)
labels16 = kmeans16.predict(image_array)
labels8 = kmeans8.predict(image_array)
Predicting color indices on the full image (k-means)
def recreate_image(codebook, labels, w, h):
"""Recreate the (compressed) image from the code book & labels"""
return codebook[labels].reshape(w, h, -1)
plt.figure(1)
plt.clf()
plt.axis("off")
plt.title("Original image (96,615 colors)")
plt.imshow(kotek)
<matplotlib.image.AxesImage at 0x1bb61919210>
plt.figure(2)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({64} colors, K-Means)")
plt.imshow(recreate_image(kmeans64.cluster_centers_, labels64, w, h))
<matplotlib.image.AxesImage at 0x1bb61919ae0>
plt.figure(3)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({32} colors, K-Means)")
plt.imshow(recreate_image(kmeans32.cluster_centers_, labels32, w, h))
<matplotlib.image.AxesImage at 0x1bb61a66a70>
plt.figure(4)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({16} colors, K-Means)")
plt.imshow(recreate_image(kmeans16.cluster_centers_, labels16, w, h))
<matplotlib.image.AxesImage at 0x1bb61b08160>
plt.figure(5)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({8} colors, K-Means)")
plt.imshow(recreate_image(kmeans8.cluster_centers_, labels8, w, h))
<matplotlib.image.AxesImage at 0x1bb61b3dc30>
tsvet = Image.open("C:/Users/Studying/Data/tsvet.jpg")
tsvet = np.array(tsvet, dtype=np.float64) / 255
w, h, d = original_shape = tuple(tsvet.shape)
image_array = np.reshape(tsvet, (w * h, d))
print("Fitting model on a small sub-sample of the data")
image_array_sample = shuffle(image_array, random_state=0, n_samples=1_000)
kmeans64 = KMeans(n_clusters=64, random_state=0).fit(image_array_sample)
kmeans32 = KMeans(n_clusters=32, random_state=0).fit(image_array_sample)
kmeans16 = KMeans(n_clusters=16, random_state=0).fit(image_array_sample)
kmeans8 = KMeans(n_clusters=8, random_state=0).fit(image_array_sample)
print("Predicting color indices on the full image (k-means)")
labels64 = kmeans64.predict(image_array)
labels32 = kmeans32.predict(image_array)
labels16 = kmeans16.predict(image_array)
labels8 = kmeans8.predict(image_array)
Fitting model on a small sub-sample of the data Predicting color indices on the full image (k-means)
plt.figure(1)
plt.clf()
plt.axis("off")
plt.title("Original image (96,615 colors)")
plt.imshow(tsvet)
<matplotlib.image.AxesImage at 0x1bb61be26e0>
plt.figure(2)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({64} colors, K-Means)")
plt.imshow(recreate_image(kmeans64.cluster_centers_, labels64, w, h))
Clipping input data to the valid range for imshow with RGB data ([0..1] for floats or [0..255] for integers).
<matplotlib.image.AxesImage at 0x1bb61a44d00>
plt.figure(3)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({32} colors, K-Means)")
plt.imshow(recreate_image(kmeans32.cluster_centers_, labels32, w, h))
<matplotlib.image.AxesImage at 0x1bb0a6b3be0>
plt.figure(4)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({16} colors, K-Means)")
plt.imshow(recreate_image(kmeans16.cluster_centers_, labels16, w, h))
<matplotlib.image.AxesImage at 0x1bb61bb6560>
plt.figure(5)
plt.clf()
plt.axis("off")
plt.title(f"Quantized image ({8} colors, K-Means)")
plt.imshow(recreate_image(kmeans8.cluster_centers_, labels8, w, h))
<matplotlib.image.AxesImage at 0x1bb0a778850>
data = [json.loads(line) for line in open('C:\\Users\\Studying\\Data2\\reviews_Amazon_Instant_Video.json', 'r')]
data
[{'reviewerID': 'A1EE2E3N7PW666',
'asin': 'B000GFDAUG',
'reviewerName': 'Aaron L. Allen "Orgazmo1009"',
'helpful': [0, 0],
'reviewText': "CA Lewsi' review should be removed. he's reviewing a episode from season 10. If your gonna write a review do it for the whole season, not 1 episode thats not even on the season your reviewing it for.",
'overall': 5.0,
'summary': 'Stupid',
'unixReviewTime': 1202256000,
'reviewTime': '02 6, 2008'},
{'reviewerID': 'AGZ8SM1BGK3CK',
'asin': 'B000GFDAUG',
'reviewerName': "Mind's Clay",
'helpful': [1, 1],
'reviewText': 'I truly love the humor of South Park. It\'s social/political commentary and satirical wit and bathroom absurdity rules. No holds barred! I live to breathe another day in anticipation of Trey Parker\'s next installment, whether it be South Park or some other venture. South Park is truly the work of a genius. Thank you, Sir Parker. (In Britian they often "knight" certian individuals (usually after they are "old" or "dead") for their contributions to their society) :)Sometimes it is dry. Sometimes it is wet. And sometimes it is too moist for humor. But somebody has to do it!I would like to see new South Park episodes until the day I leave this mortal existence. However, I know that Sir Parker would want to "move on". However, I would much like to see South Park from the eyes of a 90 year old Trey Parker. What wisdom would we see then?....',
'overall': 5.0,
'summary': '"More Moist Than Should Be" Humor',
'unixReviewTime': 1198195200,
'reviewTime': '12 21, 2007'},
{'reviewerID': 'A2VHZ21245KBT7',
'asin': 'B000GIOPK2',
'reviewerName': '202_d "202_d"',
'helpful': [0, 0],
'reviewText': 'This is a cartoon series pitting eight cartoon stereotypes in a pseudo reality TV environment.I have watched all three seasons (only three are on DVD), and this one is the funniest overall. All three are worth a watch, this one is best. The average price of this box set, here on Amazon, makes it an affordable laugh.While it is possible to start watching with any season of this show, I almost always recommend starting with season one; not too much sequential story line.This is parody/satirical humor. This type of humor is not for everyone. The smarter you are the more jokes you will understand; some jokes are subtle.',
'overall': 4.0,
'summary': 'Overall, really like the series.',
'unixReviewTime': 1215388800,
'reviewTime': '07 7, 2008'},
{'reviewerID': 'ACX8YW2D5EGP6',
'asin': 'B000GIOPK2',
'reviewerName': 'Alexandra Stephens "dreamgirl0922"',
'helpful': [11, 13],
'reviewText': "Yeah drawn together is great when it comes to the crude humor. The first season was hilarious but sometimes i found the second season lacking. But it still was a great season. A definite buy is you're a fan of crude humor and hilarious cartoons.",
'overall': 4.0,
'summary': 'Crude cartoon humor...Check',
'unixReviewTime': 1185840000,
'reviewTime': '07 31, 2007'},
{'reviewerID': 'A9RNMO9MUSMTJ',
'asin': 'B000GIOPK2',
'reviewerName': 'Andre Villemaire',
'helpful': [0, 2],
'reviewText': "Seems like today's generation is getting revenge on the censorship from the pastand is trying to open up all cans of worms. I guess nice cartoons with good storiesand some morals are out and crude in your face stuff is in. Some of these arereally funny, have funny situations but its not for everybody and i would'nt let youngkids see it as you have male and female full frontal...characters urinating andother weird stuff....and also the writters must be gay...cause theres a lot ofgay situations... But what would you expect from a generation of Reality show watchers.....Hope the next generation of cartoons brings back quality instead of quantity of crap.",
'overall': 2.0,
'summary': 'not bad...',
'unixReviewTime': 1281052800,
'reviewTime': '08 6, 2010'},
{'reviewerID': 'A3STFVPM8NHJ7B',
'asin': 'B000GIOPK2',
'reviewerName': 'A. Pierre',
'helpful': [1, 2],
'reviewText': "I dont agree with the reviewer who says the show wears thin after awhile. Ive watched each show about 3-5 times a piece and I cant get enough of the show, its a very funny and probably one of the best cartoons on tv today. I dont know how ratings are doing for the show but if they release them via dvd, i'll keep on buying them. Xandir and Tim, Sitting in a Tree is my favorite of the season but all the shows are funny. The more you watch, the more you pick up the little stuff you might have missed. Highly recommend this show to anyone who enjoys adult cartoons, its much better then South Park.",
'overall': 5.0,
'summary': 'Excellent',
'unixReviewTime': 1203897600,
'reviewTime': '02 25, 2008'},
{'reviewerID': 'A2582KMXLK2P06',
'asin': 'B000GIOPK2',
'reviewerName': 'B. E Jackson',
'helpful': [0, 1],
'reviewText': "Apparently I'm one of the few who really thinks Drawn Together is a fantastic animated show. The animation is really good overall, second only to the Simpsons. Very bright, colorful animation that makes everything look very nice. A wide variety of creative characters each with their own special personality and goofy problems. Solid storytelling that makes the characters more interesting, and a very wild adult sense of humor that has *so* much creativity you can barely keep up with the constant jumping around. Imagine a more violent Simpsons or Futurama with the pacing in hyper mode. That's basically what Drawn Together is all about.",
'overall': 5.0,
'summary': 'drawn together nicely',
'unixReviewTime': 1205884800,
'reviewTime': '03 19, 2008'},
{'reviewerID': 'A1TZCLCW9QGGBH',
'asin': 'B000GIOPK2',
'reviewerName': 'Ben Lawrence "Ben Lawrence"',
'helpful': [0, 1],
'reviewText': "I liked this product. I am a big fan of Drawn together and this is the best season so far. The extra features are cool and I can't wait until the next season comes out.",
'overall': 4.0,
'summary': 'Drawn Together',
'unixReviewTime': 1209427200,
'reviewTime': '04 29, 2008'},
{'reviewerID': 'A2E2I6B878CRMA',
'asin': 'B000GIOPK2',
'reviewerName': 'Big Dog',
'helpful': [0, 0],
'reviewText': 'the show. it is really funny. it is a good show to get on Dvd. I like the show a lot.',
'overall': 5.0,
'summary': 'it was cool',
'unixReviewTime': 1378684800,
'reviewTime': '09 9, 2013'},
{'reviewerID': 'AD5MZA8SOVMPJ',
'asin': 'B000GIOPK2',
'reviewerName': 'Brandon Nolta',
'helpful': [5, 5],
'reviewText': "People who like cartoons must be thankful for DVDs, because that technology opened up the floodgates for fans for every kind of animation. Whether you like classic Looney Tunes, hippy-dippy sci-fi parables or Asian tentacle porn, it's all there for you to find and enjoy. It's only been in the last 20 years or so, however, that American TV networks have clued into the idea that many adults like cartoons that have content specifically aimed at adults, even though some cartoons did well in prime-time even fifty years ago or so. Now, with DVD, you can not only watch entire seasons at a shot, you can also see the shows in their unadulterated glory.Which brings us to the Comedy Central series Drawn Together. I've been a fan of this show for a while, partly because of the writing and partly because of the cheerful way in which it steamrolls political correctness and good taste. If South Park is the Mount Everest of crude, crass animation, then Drawn Together is K2; it doesn't stand as tall, but it's a tougher climb. The truth of this was brought home upon watching the second season of the show on DVD. Much to my surprise, watching the DVD turned out to be a different experience than watching it in first run.Part of this is due to one of the DVD set's selling points: it's unexpurgated. I didn't think this would make much of a difference, as it's generally pretty clear what's been cut. As it turns out, there was a lot cut out of the show, and not just language: genitalia, violence, enough racist abuse to make the KKK turn red under their sheets, sex in a vast array of configurations and a whole lot of other content that probably produces instant pucker in the unfortunate souls who work in Comedy Central's Standards and Practices department. Now, I'm not one for censorship, but the additional material works against the show to a certain degree. What's there is still funny in multiple senses, from satire to slapstick, but actually being able to hit the money words (and shots) dilutes the humor a bit.As far as taste goes, DT is not a show to start novices on. If adult animation is still a new concept for you, and you think The Simpsons is bleeding-edge in the sometimes fluid space between being socially acceptable and being a pariah, then DT may cause seizures. For people who like edgy animation, this will be just the ticket. The voiceover artists and writers take their material seriously, and they're willing to go wherever the jokes take them (the season finale has a running gag with historical dates and the episodes connected to them that manages to be both subtle and sick).In terms of presentation, the DT set is relatively bare-bones. The whole season of 15 episodes is crammed onto two discs, leaving just enough room for a handful of interviews with the voiceover artists (minus Adam Carolla, who has plenty to do outside the show) and a karaoke singalong. The visual quality is pretty sharp, and the sound quality is good, but this isn't the kind of material you use to do any THX certifications with, so it's not like you'd expect much. Still, it's the episodes that matter, and for you sick little monkeys out there who like this kind of thing, Drawn Together season 2 is a worthwhile expenditure. Just don't leave it out where Grandma or the kids might get a hold of it. Either you'll scar them for life (maybe shuffling Granny into an early grave), or you'll never get it back.",
'overall': 5.0,
'summary': 'Funny, vulgar and sick: three of my favorite things...',
'unixReviewTime': 1218240000,
'reviewTime': '08 9, 2008'},
{'reviewerID': 'A3IE1M3QVUKIJN',
'asin': 'B000GIOPK2',
'reviewerName': 'Brett Rumpelstiltskin',
'helpful': [0, 0],
'reviewText': 'Very adult humor, cutting in sarcasm and dry take on reality shows in the least.',
'overall': 5.0,
'summary': 'A great adult series',
'unixReviewTime': 1251763200,
'reviewTime': '09 1, 2009'},
{'reviewerID': 'AZ1MUCW76BDL1',
'asin': 'B000GIOPK2',
'reviewerName': 'Candi',
'helpful': [0, 0],
'reviewText': "I already had seasons 1 and 3 so I'm pretty happy that I finally got season 2. If you haven't seen the show before, it's insanely offensive and hilarious. So you have been warned. Enjoy!",
'overall': 5.0,
'summary': 'Finally completed my collection!',
'unixReviewTime': 1361145600,
'reviewTime': '02 18, 2013'},
{'reviewerID': 'A2XNOB1T796Y6B',
'asin': 'B000GIOPK2',
'reviewerName': 'ChibiNeko "Sooo many books, so little time!"',
'helpful': [0, 0],
'reviewText': "Fans of the previous season of Drawn Together will both be overjoyed to see this DVD set & a little disappointed. Those who aren't into extremely crude humor won't be as entertained, though.This season picks up with the previous's cliffhanger of the plane crash, then quickly tries to top the previous season. It pokes fun at the shows & characters that it's based on as well as making jabs at it's critics. The DVD set is uncensored, which is nice but some of the jokes lose a bit of their punch. Half of the fun of watching it on TV is that things are blurred & curse words are bleeped. Even so, fans of this series will be glad to own this set. Anyone else? Better off renting it.",
'overall': 5.0,
'summary': 'Always funny, but not for everyone.',
'unixReviewTime': 1233532800,
'reviewTime': '02 2, 2009'},
{'reviewerID': 'A12DO7F3TT123V',
'asin': 'B000GIOPK2',
'reviewerName': 'Christopher Ward',
'helpful': [3, 24],
'reviewText': 'Ok, I\'ve watched at least 60 percent of Drawn together episodes out there. Yet i don\'t ever recall laughing past a grin. The characters are boxed into stereotypes leaving absolutely nothing funny to them but the obvious and predictable jokes . It has never displayed the wit of most "adult themed" animated shows out there. I cant see this show lasting many seasons more with the slight premise of the show. Tired stuff dawg!',
'overall': 2.0,
'summary': 'Thin comedy disguised with predictable shock value',
'unixReviewTime': 1189987200,
'reviewTime': '09 17, 2007'},
{'reviewerID': 'A2UN6AL460C8J4',
'asin': 'B000GIOPK2',
'reviewerName': 'Coral Twining',
'helpful': [0, 0],
'reviewText': "I gave it one star because of the quality of these videos. It looks like these were ripped from Comedy Central's website years ago. Also, there is a lot of censorship in these videos, contrary to what I've seen on the Drawn Together DVD collection (I only have season one on DVD), which I got for my birthday after graduating from high school back in 2006. This is what I dislike the most, even though I am a big fan of Drawn Together.I would not recommend this to anyone, even if they enjoy watching this show.",
'overall': 1.0,
'summary': 'Completely dissatisfied with video quality and censorship.',
'unixReviewTime': 1391299200,
'reviewTime': '02 2, 2014'},
{'reviewerID': 'AVYBQU4XX5QR4',
'asin': 'B000GIOPK2',
'reviewerName': 'David Meldrum',
'helpful': [0, 0],
'reviewText': "This short lived show has it's moments, and some episodes are pretty decent. I would recommend this show for any adult cartoon aficionado, a parody-spoof on stupid reality shows. For that reason and good voice work and interesting characters I would recommend this DVD for any adult cartoon fan.",
'overall': 4.0,
'summary': 'Another vulgar adult cartoon, but pretty good overall',
'unixReviewTime': 1363046400,
'reviewTime': '03 12, 2013'},
{'reviewerID': 'AVE3EF44DFS0C',
'asin': 'B000GIOPK2',
'reviewerName': 'Elliot Reed',
'helpful': [2, 3],
'reviewText': 'Finally, this is out! The first season came out a few years ago and the long awaited season 2 finally gets a dvd release. Well this is a great show (although not for youngsters) and the laughs just keep on coming. The special features are kind of lacking, only given some commentaries and of course a karaoke sing along. There are 15 uncensored episodes, including the episode "Terms of Endearment" which was not included in the first season dvd due to legal problems. Anyways, a funny show filled with potty humor, not nessesarily smart or witty, but fun nonetheless. Get it before they take it off the shelfs!',
'overall': 5.0,
'summary': 'Animation Domination!!',
'unixReviewTime': 1190937600,
'reviewTime': '09 28, 2007'},
{'reviewerID': 'A27AWN5G5GT6RP',
'asin': 'B000GIOPK2',
'reviewerName': 'EvFan17',
'helpful': [0, 0],
'reviewText': 'Im not sure why Drawn Together was cancelled but it needs to be back on tv and stay on tv forever cuz this show is funny and awesome. As a fan of Drawn Together this show is amazing and for anyone who has not herd of this show needs to look it up. Drawn Together is an amazing show and i support Drawn Together forever!',
'overall': 5.0,
'summary': 'Awesome show !',
'unixReviewTime': 1328745600,
'reviewTime': '02 9, 2012'},
{'reviewerID': 'A35KJPLBWHF5GJ',
'asin': 'B000GIOPK2',
'reviewerName': 'Faith Speed "Mother Roar"',
'helpful': [0, 0],
'reviewText': "Drawn Together is for MATURE ADULT audiences ONLY!!! Full frontal nudity, male and female, adult situations, sexual scenes, language, extreme violence, etc. I Love Drawn Together,it is hilarious, but we only watch it at night when the kids are in bed. They can't see or hear any of it! But we are fans!!!!!!!",
'overall': 5.0,
'summary': 'Drawn Together',
'unixReviewTime': 1257033600,
'reviewTime': '11 1, 2009'},
{'reviewerID': 'ADP0IVFAH8EJF',
'asin': 'B000GIOPK2',
'reviewerName': 'Hallur Hallsson "HH-0436"',
'helpful': [0, 0],
'reviewText': 'This one takes Season one and ramps it up .The jokes are dirtier, funnier and not getting stale at all. 12 year old and a donkey jokes makes a comeback and I loved the series.',
'overall': 5.0,
'summary': 'Dirty, funny and a shame they ended in season 3',
'unixReviewTime': 1357948800,
'reviewTime': '01 12, 2013'},
{'reviewerID': 'A2MBHFCT26IYQ6',
'asin': 'B000GIOPK2',
'reviewerName': 'James William Johnston "ACE29"',
'helpful': [1, 1],
'reviewText': 'more great laughs picking up where the 1st season left off. 3 seasons. collect the whole set, its worth it. go captain hero!',
'overall': 5.0,
'summary': 'DT2',
'unixReviewTime': 1235433600,
'reviewTime': '02 24, 2009'},
{'reviewerID': 'AONBKXBKBR8BO',
'asin': 'B000GIOPK2',
'reviewerName': 'jamie rivera',
'helpful': [0, 0],
'reviewText': 'One of the funniest shows ever insane and in your face! great price for this dvd collection, cant wait to get season 3!',
'overall': 5.0,
'summary': 'still wildly funny',
'unixReviewTime': 1379894400,
'reviewTime': '09 23, 2013'},
{'reviewerID': 'A2K72PJNBUP2TI',
'asin': 'B000GIOPK2',
'reviewerName': 'Jo Ann Mcbride',
'helpful': [0, 0],
'reviewText': 'You have to love the Drawn Together series to own this.',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1404086400,
'reviewTime': '06 30, 2014'},
{'reviewerID': 'A36ANEVX17XF9S',
'asin': 'B000GIOPK2',
'reviewerName': 'Karen James "Musicfan"',
'helpful': [1, 1],
'reviewText': "The fans of Drawn Together have waited so long for this DVD to come out and let me tell you it's was well worth the wait!In this uncut and uncensored DVD we get to see something that I had waited for since the show began we get to hear Xandir sing, however he doesn't sing very long and sounds like a cat being killed, plus we see him in the nude.I absolutely love the commentary and deleted scenes along with the cast interviews they were such a crack up!It's fun to see the cartoons we grew up with be parodied in this sick but funny as hell adult cartoon!",
'overall': 5.0,
'summary': 'Drawn Together Season 2',
'unixReviewTime': 1191456000,
'reviewTime': '10 4, 2007'},
{'reviewerID': 'A3T0DNK02KT55Q',
'asin': 'B000GIOPK2',
'reviewerName': 'Ken',
'helpful': [0, 0],
'reviewText': 'So disturbing, so disgusting, so over-the-top. So great.',
'overall': 5.0,
'summary': 'Raunchy goodness',
'unixReviewTime': 1404518400,
'reviewTime': '07 5, 2014'},
{'reviewerID': 'A2D18BJF9Z3QUS',
'asin': 'B000GIOPK2',
'reviewerName': 'montrell',
'helpful': [0, 0],
'reviewText': 'I always live this show because they do an day the crazyist things in shows its very funny to me',
'overall': 4.0,
'summary': 'Very funny',
'unixReviewTime': 1361664000,
'reviewTime': '02 24, 2013'},
{'reviewerID': 'A7ZYU4SOLTUGB',
'asin': 'B000GIOPK2',
'reviewerName': 'M. Sellers "Fade To ALS"',
'helpful': [0, 0],
'reviewText': "I haven't laughed this hard and at the same time been totally offended, I love this series, I have the first 3 seasons",
'overall': 5.0,
'summary': 'Drawn Together 2',
'unixReviewTime': 1237420800,
'reviewTime': '03 19, 2009'},
{'reviewerID': 'AJKWF4W7QD4NS',
'asin': 'B000GIOPK2',
'reviewerName': 'N. Durham "Big Evil"',
'helpful': [10, 20],
'reviewText': "The second season of Comedy Central's animated, reality TV spoofing Drawn Together gets off to a great start, but sadly, it wears thin the further it goes on. The season begins where the first one left off, with the house mates crash landing and eventually getting back to the house for plenty of animated insanity. The visual gags are still quite funny, but the show's constant bombardment of homophobic jokes (especially with Captain Hero, which gets real boring and tired) and toilet humor without any kind of substance goes from hysterical to boring and contrived. Granted we see the same kind of treatment on South Park, but with that show there's always an underlining hint of social commentary at the very least. You won't find much of that here with Drawn Together, but then again, the show never really attempts to do such a thing either. All that being said, there's still plenty to admire with the second season of Drawn Together, but it's nowhere near as funny as the first season was either. All in all though, if you enjoy the show for what it's worth despite it's flaws, this DVD set is definitely worth picking up regardless.",
'overall': 3.0,
'summary': 'Funny in the beginning, but wears thin',
'unixReviewTime': 1186185600,
'reviewTime': '08 4, 2007'},
{'reviewerID': 'A17L10630VSW76',
'asin': 'B000GIOPK2',
'reviewerName': 'Nurse Palmer',
'helpful': [0, 1],
'reviewText': 'The product arrived promptly as stated by Amazon. Drawn Together is very funny. Not for the faint hearted. If you like your humour crude and full frontal this is the season dvd for you. I loved it , very funny.',
'overall': 4.0,
'summary': 'Very funny and borderline offensive',
'unixReviewTime': 1204675200,
'reviewTime': '03 5, 2008'},
{'reviewerID': 'A3EP4NETI2AB94',
'asin': 'B000GIOPK2',
'reviewerName': 'R. Kline "utgirl28"',
'helpful': [0, 1],
'reviewText': "I received product very promptly and before my Hubby's birthday he was very surprised. We have been looking for this item for awhile and I am glad once again Amazon was able to come thru.",
'overall': 4.0,
'summary': 'birthday gift for husband',
'unixReviewTime': 1194912000,
'reviewTime': '11 13, 2007'},
{'reviewerID': 'A2GV5HOVHKYDCC',
'asin': 'B000GIOPK2',
'reviewerName': 'Rmi du Crest',
'helpful': [2, 3],
'reviewText': "What more can one say about Drawn Together?! The show is self-explanatory! And season 2 is just the perfect embodiement of this. DT has no respect for anything, except for the length of an episode(the 30mns format - but that's just the rule for any tv show out there, 30 mns, commercials included, or an hour, but cartoons are always using the first format).And this is really the only thing DT obeys. For the rest... Anything's game (which means laughing material) for this show. They'll stop at nothing on the road to destroying all taboos! And that's how this satiric animated show found itself a place in a rather crowded category (by quality even more than by quantity), where The Simpsons, South Park and Family Guy reign. But DT pushes the limit even further, nesting in that dirty area where even the other three won't go.The only limit to that strategy is that DT is burning the candle by the two ends, and hadn't the show been cancelled at the end of the third season, they'd probably have run out of taboos to break, anyway, after 4 to 5 years.But let's salute the effort and appreciate the freedom of speech of the show, even if half of this liberty's wasted on filthy, disgusting, low-level jokes. The other half is just worth the buy!",
'overall': 5.0,
'summary': 'DT at its finest',
'unixReviewTime': 1194134400,
'reviewTime': '11 4, 2007'},
{'reviewerID': 'A25G7I1L842JX',
'asin': 'B000GIOPK2',
'reviewerName': 'Robin Lrbck "Roblor"',
'helpful': [2, 2],
'reviewText': "Just like the last season, this one gives you hours of laughter and tears.Uncensored and brutal, the Drawn Together gang will once again in the most twisted way show you how hard life on a reality show can be.With more episodes, more racist humor and even more stoned producers, this season will without a doubt be even more entertaining than the first one.If you liked the first season this is a must! If you didn't like the first season, well then go back to watching The Simpsons and miss out on this fantastic DVD.All my five are belong to this!",
'overall': 5.0,
'summary': 'As good as it gets.',
'unixReviewTime': 1217289600,
'reviewTime': '07 29, 2008'},
{'reviewerID': 'A25TRME1TXF4ZE',
'asin': 'B000GIOPK2',
'reviewerName': 'Roger R. Paradis',
'helpful': [0, 1],
'reviewText': 'If you like politically incorrect humor and no holds barred slights then this is the toon for you.They went a little too gay this season but not totally outside of the realm for the characters.',
'overall': 4.0,
'summary': 'My type of humor',
'unixReviewTime': 1354752000,
'reviewTime': '12 6, 2012'},
{'reviewerID': 'A30EVNW3J601PN',
'asin': 'B000GIOPK2',
'reviewerName': 'Shadow',
'helpful': [0, 0],
'reviewText': 'If you love the vulgar humor and cliches then buy all the seasons sucks they took them off air guess suits couldnt handle it.',
'overall': 5.0,
'summary': 'Said it before',
'unixReviewTime': 1358121600,
'reviewTime': '01 14, 2013'},
{'reviewerID': 'A3AV53EIA4EO41',
'asin': 'B000GIOPK2',
'reviewerName': 'Timothy Branik "PKTACES"',
'helpful': [1, 4],
'reviewText': 'Hi, I am not usually embarrassed by adult humor, but this "Uncensored" version goes too far, I mean I did not need to see nude cartoons to enjoy this movie - on the contrary that ruined it for me and there was no "clean" version on the disk so i was stuck watching or trying to get through this filth. I\'m sure alot of you out there will like it, but as for me. I\'ll pass for now. and i\'ll be selling mine here now.',
'overall': 2.0,
'summary': "MAYBE IT'S NOT JUST FOR ME",
'unixReviewTime': 1259107200,
'reviewTime': '11 25, 2009'},
{'reviewerID': 'A05132041L0G3P5ASPHR0',
'asin': 'B000GIOPK2',
'reviewerName': 'travis pressley',
'helpful': [0, 0],
'reviewText': 'Perfect. Prompt service. Painless. Product was exactly as described, given as a gift and receipient was thoroughly pleased. Thank you',
'overall': 5.0,
'summary': 'Review',
'unixReviewTime': 1353110400,
'reviewTime': '11 17, 2012'},
{'reviewerID': 'A3DIMK33JFV9ER',
'asin': 'B000GIOPK2',
'reviewerName': 'Travis W. Oliver',
'helpful': [1, 1],
'reviewText': "Drawn together is great. I love the jokes, the puns, the straight up silliness. The only thing is I think it's missing a scene in one episode on the DVD. Other than that it's great.",
'overall': 4.0,
'summary': 'Drawn Together - Nice second season, but...',
'unixReviewTime': 1216857600,
'reviewTime': '07 24, 2008'},
{'reviewerID': 'A28UGF8IFWKK8B',
'asin': 'B000GIOPK2',
'reviewerName': 'Truthiness',
'helpful': [0, 1],
'reviewText': 'The funniest show on the planet! The most creative, offensive show ever. If you want your sides to hurt from laughing, get this DVD now!"Foxy vs. The Board of Education" is a classic! "I\'s got to get my mystery science license!"',
'overall': 5.0,
'summary': "Oh God, I'm In Heaven!!!",
'unixReviewTime': 1191110400,
'reviewTime': '09 30, 2007'},
{'reviewerID': 'A301CDXWK3GBBQ',
'asin': 'B000GIOPK2',
'reviewerName': 'William Slocumb',
'helpful': [3, 6],
'reviewText': 'If you enjoyed the first season of Drawn Together, you\'ll certainly want to add the second season to your video library.My favorite episode is "Super Nanny", when Ling Ling is trying to get his drivers license. That is FUNNY stuff!!If you weren\'t a fan of the first season, you won\'t like the second season (and why are you even reading these reviews?!).I personally can\'t wait to pick up my copy, and I\'m looking forward to season three.',
'overall': 5.0,
'summary': 'The only way to make it funnier would be to add George Bush to the cast!',
'unixReviewTime': 1190332800,
'reviewTime': '09 21, 2007'},
{'reviewerID': 'A1ZAVMB4XZL8KA',
'asin': 'B000GIPKWY',
'reviewerName': 'Bookreader79424 "I love Casa Ole!"',
'helpful': [12, 13],
'reviewText': 'I can\'t say enough great things about this wonderful tv-series! It makes the Bible and biblical events come to life. While I don\'t know how many of the "mysteries" are "mysteries" because to me as a Methodist Christian it appears that God has clearly stated what He means in the Bible by most of these "mysteries," but other topics that are explored that God seems to be silent about in the Bible are fascinating to learn about via the professors and archaelogists that are in this dynamic series on the Bible. Do I agree with everything the scholars say about the Bible and some of the mysteries that are explored in this great series? Definitely no! However, if you love the Bible as much as I do as well as have an interest in knowledge; especially, biblical questions and mysteries, then this series is definitely worth buying! I haven\'t bought this dvd collection, yet, but I have rented the dvds and seen the tv series when it used to air on tv and it\'s a great DVD collection to add to your already pre-existing dvd collection! The price is affordable and well worth it! For the knowledge alone, I\'m surprised that it doesn\'t cost well over $100 for this entire series! A & E should create new episodes of "Mysteries of the Bible" because no other documentary series about the Bible seems to be as good as this one.',
'overall': 5.0,
'summary': 'Best documentary series on the Bible...EVER!',
'unixReviewTime': 1289088000,
'reviewTime': '11 7, 2010'},
{'reviewerID': 'A223A5BICW5T32',
'asin': 'B000GIPKWY',
'reviewerName': 'bookworm "Courage is not simply one of the vi...',
'helpful': [20, 23],
'reviewText': "I love the series. It's early episodes were not nearly as good as later ones. I avidly tivo'd the series until I discovered it was on DVD. Great narration, excellent diverse commentaries, powerful quotes from the Torah or Bible (as applicable). It's an awesome giftset for anyone who wants to learn more about Judaism or Christianity.",
'overall': 4.0,
'summary': 'Great, informative series on the Torah and Bible',
'unixReviewTime': 1196121600,
'reviewTime': '11 27, 2007'},
{'reviewerID': 'A3I8OURC83NM6V',
'asin': 'B000GIPKWY',
'reviewerName': 'Christopher M. Fulton "Purveyor of Truth"',
'helpful': [4, 7],
'reviewText': 'I always enjoyed watching this when it aired on TV. It gives fresh perspective on the Bible stories we all loved and wanted to know more about. They go as in depth as you could expect for an hour long show. Well worth the purchase price.',
'overall': 5.0,
'summary': 'Good series',
'unixReviewTime': 1214352000,
'reviewTime': '06 25, 2008'},
{'reviewerID': 'A284NRFS8VDI3X',
'asin': 'B000GIPKWY',
'reviewerName': 'David A. Stathopulo "Cadfael22"',
'helpful': [20, 30],
'reviewText': 'I want to limit my comments to a review of Vol. 3 - King David: Poet Warrior. Since the middle of the 19th century skeptics have attacked the historical veracity of the Bible (both the Hebrew & Christian Scriptures). Since that time one new-found archaeological discovery after another has negated each of these objections (from the existence of the Hittites to King David to the use of nails in Roman crucifixion to affix people to crosses). Not content with the biblical accounts of these now historical figures this video series seeks to deconstruct them by projecting on them present-day academic political and philosophical "theories behind the legendary figures and fabled stories of the Bible." If this one part of series utilizes this approach it is likely it is shared with the rest of the series. "Twenty-two full-length programs from the acclaimed A&E series MYSTERIES OF THE BIBLE are featured in this collection providing a wealth of astonishing discoveries and unforgettable revelations." Unfortunately, the only "unforgettable" aspect of this series is that it is long on theory and short on facts.',
'overall': 1.0,
'summary': 'Astonishing Theories',
'unixReviewTime': 1208822400,
'reviewTime': '04 22, 2008'},
{'reviewerID': 'A13PPQ2GI1IJYM',
'asin': 'B000GIPKWY',
'reviewerName': 'DESERTMAN40',
'helpful': [0, 0],
'reviewText': "Mysteries of the Bible is an hour-long documentary series that was broadcast by A&E.Each; episode explored the authenticity and the accuracy of the greatest tales of the scriptures that has been bothering humanity for thousands of years.It was hosted by Richard Kelly,who acted as narrator and the late actress,Jean Simmons,who read the Biblical quotes which provides the scriptural basis on the topic being discussed.Many experts,scientists and Biblical scholars have participated and provided their input about the scriptures and their revelations will definitely astonish the viewers.Added to that,it was filmed on the exact locations where the supposed events happened where archaeological facts,evidences and surprisingly religious art were gathered.This is a joy to watch especially for viewers who want to learn more about the Sacred Scriptures.It is interesting,visually attractive and highly addictive.What's more is the fact that one will not only be enriched with knowledge not only about Christianity and Judaism but also surprisingly Islam.This will definitely make someone appreciate one's faith and religious beliefs.",
'overall': 5.0,
'summary': 'The Documentary Series Explores Authenticity And Accuracy Of The Scriptures',
'unixReviewTime': 1404950400,
'reviewTime': '07 10, 2014'},
{'reviewerID': 'A38AAPXSJN4C5G',
'asin': 'B000GIPKWY',
'reviewerName': 'Edward J. Barton',
'helpful': [3, 3],
'reviewText': "This set is great for the casual learner. The set is getting dated - going back to the mid-90's, but not much has changed dramatically in the field of Biblical Archeology - which is largely the premise. The narration by Richard Kiley and Jean Simmons is pretty good, though cal lull you to sleep with the dulet tones. The content is good as well, with interview of scholars, archaeologists, religious, and others who interweave the various components together to explore some of the Bible's unanswered and unanswerable questions. The integration of Jewish and Christian thought is well done, and I believe that either Christian or Jew will find this set entertaining and enlightening. If you are a heavy duty Bible scholar, this is pretty light weight. For the bulk of us, though, you will learn a lot, it will pique your interest, and you can feel comfortable that there isn't a great religious agenda behind the shows.",
'overall': 4.0,
'summary': 'A Good Set For The Casual Learner',
'unixReviewTime': 1310256000,
'reviewTime': '07 10, 2011'},
{'reviewerID': 'A3D8ZJ5Y8Z2GEG',
'asin': 'B000GIPKWY',
'reviewerName': 'G. Hill',
'helpful': [21, 23],
'reviewText': "I own the boxed set of this collection. Even though I was an avid fan of the show, I still re-watch the DVD episodes with rapt attention. Unlike many religious themed films, this series does not promote a specific point of view. Viewers of all faiths and denominations will find that it deepens and enriches their understanding and appreciation for the spiritual lessons of the Bible. Each episode is well-rounded, beautifully photographed and a complete delight to watch.The Mysteries of the Bible series weaves questions about the Biblical figures, culture and spiritual meaning into a visual and intellectual feast. It combines actual footage of locations in the Bible with amazing religious art, captivating narration and answers from archeology and a spectrum of Biblical scholars. It's a formula that mesmerized fans for years. Who would have thought that a show like this would so captivate the non-scholars among us?This series succeeded for so long because it recognized that readers of the world's most popular book want to know and understand more about the culture, context and deeper meanings of the Bible. You won't regret purchasing any of the episodes or DVD's. This series represents the best of the best.",
'overall': 5.0,
'summary': 'Mesmerizing and Addicting',
'unixReviewTime': 1208908800,
'reviewTime': '04 23, 2008'},
{'reviewerID': 'AFM9DJYPNM7VT',
'asin': 'B000GIPKWY',
'reviewerName': 'Goldencat "Carla"',
'helpful': [1, 4],
'reviewText': "This set was a disappointment. I have the other set and it has better coverage of the topics in the episodes. This one was, for me, boring, shallow, and a waste of money. I learned nothing. Some episodes I could not even play through because the information was wrong, incomplete, or just insulting to my intelligence.If you want to study the Bible, listen to pastor Melissa Scott (great linguist and scholar), rabbi Daniel Lapin (relevant and understandable) or Chuck Swindoll (very experienced, patient teacher). Get a few actual holy land documentaries.What's on the discs? Lessee:disc 1 - Jesus holy child. Execution of Jesusdisc 2 -Abraham: one man one god. Herod the Great. 10 Commandmentsdisc 3 - Jacob's ladder. Joseph, master of dreams. Cain and Abel. Queen Estherdisc 4 - King Solomon. King David, poet warrior. the Last Revolt. Archenemy, the philistinesdisc 5 - lost years of Jesus. the last supper. Paul the apostledisc 6 -magic and miracles. Prophets, soul catchersdisc 7 - the bible's greatest secrets. biblical angels. heaven and hell. apocalypseSpend your money at Mcdonald's instead.",
'overall': 2.0,
'summary': 'blah - other set much better',
'unixReviewTime': 1351814400,
'reviewTime': '11 2, 2012'},
{'reviewerID': 'A10KA69V7ITA5S',
'asin': 'B000GIPKWY',
'reviewerName': 'Jimmy D. Lockhart',
'helpful': [3, 6],
'reviewText': 'Excellent product. I would recommend it for all who study the Bible, as Paul says the mysteries are no more and Jesus says you can tell my disciple for they continue in my word.',
'overall': 5.0,
'summary': 'Mysteries',
'unixReviewTime': 1231200000,
'reviewTime': '01 6, 2009'},
{'reviewerID': 'A3RFDAOM1TBQ15',
'asin': 'B000GIPKWY',
'reviewerName': 'Jim osprey',
'helpful': [1, 6],
'reviewText': 'I found this series to be very informative, well produced and thought-provoking. Enjoy it very much.',
'overall': 5.0,
'summary': 'Mysteries of the Bible',
'unixReviewTime': 1217462400,
'reviewTime': '07 31, 2008'},
{'reviewerID': 'A333G9I2SYHC0Y',
'asin': 'B000GIPKWY',
'reviewerName': 'John R.',
'helpful': [6, 6],
'reviewText': 'This is a "Best Of" set. Would like to see a volume 2 with eps like Job, Noah\'s Ark, Sodom and Gomorrah, etc. Overall a good collection.',
'overall': 5.0,
'summary': 'The Best Of',
'unixReviewTime': 1292025600,
'reviewTime': '12 11, 2010'},
{'reviewerID': 'ALNQS7RJIYG6',
'asin': 'B000GIPKWY',
'reviewerName': 'Keys to the Abyss',
'helpful': [14, 23],
'reviewText': 'While several of the videos were fairly well done, overall the "mysteries of the Bible" always seemed to be...did it ever really happen? or did it really happen the way the Bible says? To me it seemed to have an overall aura of attempting to discredit what the Bible says, not trying to find evidence to support it.In particular, "the lost years of Jesus" went over the top suggesting Jesus became a student of Buddha and His ministry was influenced by Buddhist philosophy. A few other videos were entertaining, but no new information was given, and I really learned nothing that I didn\'t already know from the Bible or other historical sources.',
'overall': 2.0,
'summary': 'Secular, skeptical, and at times blasphemous; poor overall',
'unixReviewTime': 1221782400,
'reviewTime': '09 19, 2008'},
{'reviewerID': 'A3410YP65KJQ3M',
'asin': 'B000GIPKWY',
'reviewerName': 'Mark "mdippy"',
'helpful': [1, 1],
'reviewText': "This is the seven disc series offered by A&E; and still does not cover all the episodes put out by this series. I guess the remaining ones are on volume 2? Okay, so the 22 episodes offered here are all interesting and informative. What I liked best about the series is that they are going on the premise that everything in the Bible is to be looked at as fact. However, the series does offer the opinions of scholars that sometimes suggest otherwise and they pose some interesting facts and questions that do not always line up with archeological finds. When asked for their opinions, scholars will offer beliefs that do not always line up with most dogmatic ways of thinking, In other words, I understood this series to be unbiased and presented the facts fairly and allowed different opinions to be heard. Many of them which surprisingly do support many held beliefs we have all been taught.When I first bought this series a few years ago, I watched it but really couldn't appreciate it. Now that I am actively involved in religious education, I see this series in a whole different light. It has the basic information for beginners, but also has many surprising facts that I still didn't know after many years of hard religious studies. I certainly recommend this set as a supplement to anyone's religious pursuits and it makes a great starting point for discussions as well. Well put together and well presented. Thanks for doing such a great job!",
'overall': 5.0,
'summary': "It's a Great Reference and Review",
'unixReviewTime': 1387497600,
'reviewTime': '12 20, 2013'},
{'reviewerID': 'A153NZD2WZN5S3',
'asin': 'B000GIPKWY',
'reviewerName': 'Michael Kerjman',
'helpful': [8, 9],
'reviewText': 'This visually-attractive work consists of a range of forty five minute instalments accomplishing themselves separate segments to easy navigate through a huge volume of factual information to date supporting stories Torah/Old Testament/Koran present since the dawn of the human history recorded.No religious pressure at all but clever professional scientific information.Highly recommended, much new data has been disclosed to a reviewer.',
'overall': 5.0,
'summary': 'Interesting Educative Work',
'unixReviewTime': 1273017600,
'reviewTime': '05 5, 2010'},
{'reviewerID': 'A143UP2GFU795Z',
'asin': 'B000GIPKWY',
'reviewerName': 'Monica Migliassi',
'helpful': [0, 0],
'reviewText': 'Awful!!! The box and CD containers, in very good conditions.The subject, no doubt, very interesting. The color, beautiful. The quality of the video is so bad that has taken me forever to decipher the content. The images and the sound disappear constantly so it is impossible to follow the storyline. I have tried up to volume 5 in 3 different DVD players in the hope that the problem could be a faulty DVD player but unfortunately are the CDs. How can I return them?',
'overall': 1.0,
'summary': 'Mysteries of the Bible Collection, A&E',
'unixReviewTime': 1392595200,
'reviewTime': '02 17, 2014'},
{'reviewerID': 'A1OBAJ2VJCAV0B',
'asin': 'B000GIPKWY',
'reviewerName': 'Robert E. Hadik "Retiree"',
'helpful': [0, 12],
'reviewText': 'Cannot evaluate but must do so to dispose of reminders to do so. makes it difficult.',
'overall': 4.0,
'summary': 'Wife ordered this cannot evaluate fairly',
'unixReviewTime': 1264982400,
'reviewTime': '02 1, 2010'},
{'reviewerID': 'A1UUMBYR6F3VHA',
'asin': 'B000GIPKWY',
'reviewerName': 'Robert L. Brickey "BrickMan"',
'helpful': [4, 4],
'reviewText': 'This was a great purchase. I am thinking of buying sets to give as gifts. The package arrived on time in excellent condition (Still cellophane wrapped.) The series itself is informative enough without feeling like a lesson. Jean Simmons voice is captivating -especially now that she is no longer with us. The art works are unbelievably beautiful and fit the narrative perfectly. I am no Bible scholar and cannot speak to the veracity of the content; all I can say is that I enjoyed this set even more than when I first saw it on television.',
'overall': 5.0,
'summary': 'Mysteries of the Bible DVD Collection',
'unixReviewTime': 1270944000,
'reviewTime': '04 11, 2010'},
{'reviewerID': 'A2QIYVBS2S0UAQ',
'asin': 'B000GIPKWY',
'reviewerName': 'Tamer Elsharouni',
'helpful': [3, 11],
'reviewText': "I was disappointed with this series which seems to be based on the 19th Century myth of German scholars who criticized and attacked Biblical and historical facts ( the higher and lower Criticism Theory ).They hadn't had any archaeological evidence at that time as opposed to present day check British Museum for example.I don't recommend this to anyone who is looking for truth and accuracy. Just a new misleading Series!!!!",
'overall': 1.0,
'summary': 'Not scientific or based on real Facts!!',
'unixReviewTime': 1271808000,
'reviewTime': '04 21, 2010'},
{'reviewerID': 'A2P7ED0A9AVCDU',
'asin': 'B000GIPKWY',
'reviewerName': 'Thena Lene',
'helpful': [1, 7],
'reviewText': "This set didn't impress me at all. It quoted the Bible incorrectly each time it quoted the Bible. The people didn't really know what they were trying to disprove and it only makes for proving the Bible.",
'overall': 3.0,
'summary': "It's okay.",
'unixReviewTime': 1282608000,
'reviewTime': '08 24, 2010'},
{'reviewerID': 'A10VPZUGZAO0GG',
'asin': 'B000GIPKWY',
'reviewerName': 'Wildflower',
'helpful': [4, 21],
'reviewText': "I've often said, religion kills. With all my heart, body and soul; I believe and worship God. But religion? It's just like politics. iT'S A GAME OF UPMANSHIP. Its doctrines and dogma are man made as a way to control and subjugate people. Just like country, state and city laws. Yes, some of these laws or doctrines or dogmas in my opinion are no more than means to rein in and/or subjugate people. Thus a reason to kill.In total frankness, I am a practising Catholic. Born, raised and educated in all levels its schoolings; -from grammar school through college. I consider myself spiritual rather the religious. I do not follow a priest or a preacher or churches or a religion as others do; -no disrespect intended here. Rather I prefer being a Catholic because of its universality. Meaning to say, where ever in the world I go, all the sacraments and sacramental celebrations are the same. This is not to include such things as the inquisitions and church abuses. I know this invites criticism. I am not open to debate. Again simply put; I am spiritual and I do believe in the love, forgiveness and holiness of my supreme being God my creator. Only to Him I humble myself.",
'overall': 5.0,
'summary': 'Ay. yay, yay! ...A history lesson in religion; ...of all types',
'unixReviewTime': 1270252800,
'reviewTime': '04 3, 2010'},
{'reviewerID': 'A3E3ELTAMZ32K3',
'asin': 'B000GIPKWY',
'reviewerName': 'Wings_of_Wind',
'helpful': [0, 1],
'reviewText': 'It was not the series I thought I was ordering, but it is still good. Very educational. I would recommend this set to a church bible study group or teen group.',
'overall': 4.0,
'summary': 'Very informative',
'unixReviewTime': 1383782400,
'reviewTime': '11 7, 2013'},
{'reviewerID': 'A21YD7FBMV01HP',
'asin': 'B000GJUQ7M',
'reviewerName': 'C. Brown "jbrown"',
'helpful': [5, 11],
'reviewText': "This was my first download of this type and also my last. I did get it to play with my desktop where I downloaded it but moving it to any other machine has been a nightmare. There are too many software restrictions and even a legal attempt to buy a new licence is fruitless. The machines keep freezing up. The idea is nice but the technology isn't there yet.",
'overall': 1.0,
'summary': 'Poor support',
'unixReviewTime': 1164931200,
'reviewTime': '12 1, 2006'},
{'reviewerID': 'A1LMX2N66EYKB4',
'asin': 'B000GJUQ7M',
'reviewerName': 'Mark K. Riordan "ptownmarc"',
'helpful': [5, 5],
'reviewText': "Nice little video for my Zen during my long wait at the doctor's office. Confucius overcame many difficulties.",
'overall': 5.0,
'summary': 'Informative.',
'unixReviewTime': 1170374400,
'reviewTime': '02 2, 2007'},
{'reviewerID': 'AGPOJFLTYSMFW',
'asin': 'B000GJUQ7M',
'reviewerName': 'RMP',
'helpful': [1, 2],
'reviewText': 'This was my first download and it was "free". The download performed well. "The Mystery of Edgar Allan Poe" was informative. It ran up to 50 minutes. This was a Unbox Video Download. It started with the typical intro and ended with the credits. Some individuals did not get a complete download so i included my experience with the Unbox download. i hope the review was helpful. ty.',
'overall': 5.0,
'summary': 'Informative',
'unixReviewTime': 1169251200,
'reviewTime': '01 20, 2007'},
{'reviewerID': 'A35O4YSNIEHCR',
'asin': 'B000GK0NBK',
'reviewerName': 'C. Swenson',
'helpful': [2, 9],
'reviewText': 'A great "Highlight Reel" of the Apollo 11 mission. Enough background information is presented to provide context, and the interviews and actual footage are very effective in recreating the feel of watching the mission unfold. If you\'re looking for a memory refresher or an introdution to the mission to the moon for younger viewers, this show fills the bill.',
'overall': 5.0,
'summary': 'Great Job for 45 Minutes',
'unixReviewTime': 1157932800,
'reviewTime': '09 11, 2006'},
{'reviewerID': 'A1ALC8JP5D7C3C',
'asin': 'B000GK0NBK',
'reviewerName': 'Joseph L. Campbell "mrjoecampbell"',
'helpful': [4, 7],
'reviewText': "This show is NOT 47 minutes long. It's just a segment from a longer show, maybe 11 minutes or so.",
'overall': 2.0,
'summary': "Where's the rest of it?",
'unixReviewTime': 1173139200,
'reviewTime': '03 6, 2007'},
{'reviewerID': 'A1UU0WHNOXGGXB',
'asin': 'B000GK51HG',
'reviewerName': 'IDigAK',
'helpful': [0, 0],
'reviewText': 'Very educational. It starts out with the wright brothers and gives an in depth very detailed history of the Air Force up to current date. The best movie of its kind that I have ever seen.',
'overall': 5.0,
'summary': 'Great educational movie',
'unixReviewTime': 1200528000,
'reviewTime': '01 17, 2008'},
{'reviewerID': 'AVZ30RTKJHKKT',
'asin': 'B000GK6NFK',
'reviewerName': 'Amazon Customer "catch5"',
'helpful': [3, 7],
'reviewText': "I love south of nowhere...however my dvd sets season 1 and 2 will not play on my tv. i can get them to the menu where i can play all or select an episode but it will not go past the main screen. i can't even get a single episode to play!",
'overall': 1.0,
'summary': 'CONSUMER WARNING---PRODUCT NOT WORKING',
'unixReviewTime': 1229817600,
'reviewTime': '12 21, 2008'},
{'reviewerID': 'AP7JOAYYKOGVW',
'asin': 'B000GK6NFK',
'reviewerName': 'Amazon Customer',
'helpful': [53, 57],
'reviewText': "This series is simply the story of two best friends that fall in love with each other.Spencer Carlin, a genuinely sweet 16 year old girl, moves from Ohio to LA with her family and finds herself trying to deal with her instant interest in Ashley Davies (A rebellious, rich daughter of a rock star)The two embark on a realistic journey together that rivals any other love story on film or television. You will find yourself rooting for the pair in every episode leading up to the finale.Innocent touches, shy glances, head tilts, and flirting, make Season 1 the best of the series.Oh yeah. There's the token bitchy cheerleader, Madison, to stir up some drama for the should-be/might-be/could-be couple. The adopted black brother to teach us about racial identity. An overbearing mother. A shirtless boy to keep the straight audience happy. And a father any teenage girl would be envious to have.But when all is said and done, this show is entirely about Spencer and Ashley.It is too good to be cancelled before it's time. Watch Season 3B on October 10th at 9pm and Save Spashley!",
'overall': 5.0,
'summary': 'A love story',
'unixReviewTime': 1221868800,
'reviewTime': '09 20, 2008'},
{'reviewerID': 'A21G21TFGZNBUR',
'asin': 'B000GK6NFK',
'reviewerName': 'Angelica Rodriguez Moreno',
'helpful': [0, 0],
'reviewText': "It's really good, I totally recommend it for everybody who likes drama and teenage conflicts. I absolutely love it! :)",
'overall': 5.0,
'summary': 'Great TV Show!',
'unixReviewTime': 1394928000,
'reviewTime': '03 16, 2014'},
{'reviewerID': 'ARNNW9J2DG005',
'asin': 'B000GK6NFK',
'reviewerName': 'Bobbi Jo Kranz "bobbi"',
'helpful': [0, 0],
'reviewText': 'I had missed so much of this series. Glad I bought it. its nice to catch up on.',
'overall': 5.0,
'summary': 'cool',
'unixReviewTime': 1244851200,
'reviewTime': '06 13, 2009'},
{'reviewerID': 'A22U1ZY8IMNS7C',
'asin': 'B000GK6NFK',
'reviewerName': 'Caroline G. Foster',
'helpful': [3, 3],
'reviewText': "Great show, I've always loved it since it came out. The only thing I pay attention to though is the relationship between Spencer and Ashley.",
'overall': 5.0,
'summary': 'South of Nowhere',
'unixReviewTime': 1355356800,
'reviewTime': '12 13, 2012'},
{'reviewerID': 'A21Q8TYJO50OCU',
'asin': 'B000GK6NFK',
'reviewerName': 'Charmaine B. Donato',
'helpful': [0, 1],
'reviewText': 'Great series... loved watching the trials of these youngsters trying to come to terms with who they are in the world.',
'overall': 5.0,
'summary': 'South of Nowhere season 1',
'unixReviewTime': 1365465600,
'reviewTime': '04 9, 2013'},
{'reviewerID': 'A1BWNF5GHHI9SI',
'asin': 'B000GK6NFK',
'reviewerName': 'chipper',
'helpful': [1, 5],
'reviewText': "I have always been very happy with purchases from Amazon, but this is an exception. Amazon has burned this episodes onto dvd and did not include in the product information that there would be actual edits from the original show(which I know because I taped the show when it was on the N network). There are changes in dialogue and content. This is very upsetting given the price, but most important is amazon's not being completely forth coming in it's product description. Otherwise, amazon has always been a great place to shop",
'overall': 1.0,
'summary': 'Falsifying product description',
'unixReviewTime': 1311984000,
'reviewTime': '07 30, 2011'},
{'reviewerID': 'AHPQ16I8JWH6L',
'asin': 'B000GK6NFK',
'reviewerName': 'Curiosity Cat',
'helpful': [2, 3],
'reviewText': "I first saw this show online, and was completely hooked on it. I think it's a fantastic show and wish there had been shows like this when I was younger.However, the reason for my 3 star rating is not because of the show itself, but because of the quality of the video. It really looks like it was just downloaded from one of the sites that it streams from. The picture is fuzzy and the audio is kind of flat. People who have reviewed the DVD version have had similar complaints.I wanted to get this show so that I could show it to someone else, but I'm not sure I'd buy any other seasons of it, instead I'll just watch it online. Logo still has it online.",
'overall': 3.0,
'summary': 'Love the show, not the picture quality',
'unixReviewTime': 1344816000,
'reviewTime': '08 13, 2012'},
{'reviewerID': 'AXYESYR1GNGM0',
'asin': 'B000GK6NFK',
'reviewerName': 'DavisJes',
'helpful': [2, 3],
'reviewText': 'It is good for people who are coming out and also for people who know who they are. Watching this reminded me of what it was like discovering who I was.',
'overall': 5.0,
'summary': 'Completely hooked.',
'unixReviewTime': 1251244800,
'reviewTime': '08 26, 2009'},
{'reviewerID': 'AWRQ9YBI64ZJB',
'asin': 'B000GK6NFK',
'reviewerName': 'Deborah',
'helpful': [1, 1],
'reviewText': "I absolutely love this show and was quite suprised with how good the quality of the dvd was because I had only ever watched the show on the internet. The dvd was shipped and received very quickly and plays perfectly. I would most definately from this user again and I cannot wait to purchase the second season of South of Nowhere because this is a truly excellent show with an amazing message to it's viewers, I highly recommend it.",
'overall': 5.0,
'summary': 'S.O.N. Season 1 EXCELLENT',
'unixReviewTime': 1343952000,
'reviewTime': '08 3, 2012'},
{'reviewerID': 'A2JP8K38NLHBQJ',
'asin': 'B000GK6NFK',
'reviewerName': 'dream.laugh.live',
'helpful': [2, 3],
'reviewText': 'I wanted to do this review because when I bought it on amazon, it freeked me out that someone did a review and said that they were not able to watch any of the episodes. I want to secure everybody that wants to buy it by saying that on dvd, blu-ray and on a computer, everything is working perfectly, I tried it. Moreover, some wanted to know if there were any extras in the dvds such has interviews, deleted scenes or bloopers and there is none (sorry), only the episodes. However, now, for the appreciation part of the serie, I would definetly recommend South of Nowhere to teenagers who like romantic/drama series. Even though your not gay, you can fully appreciate this tv show for its originality, its funny parts and its themes such has love, teenage "problems" (first time, moving in a new city, fitting in, the need to belong somewere, ennemies, etc.). And for the girls that are gay, well, you will appreciate this story because of all the reasons above and because it shows, trough Spencer\'s story, all the steps that someone goes trough when they gradually find out their true sexuality and how they live their first real love. Furthermore, I have to say this, Ashley (Mandy Musgrave)and Spencer (Gabrielle Christian)are really gorgeous and they form a beautiful couple. S.O.N. is amazing!',
'overall': 5.0,
'summary': 'Everything you want to know',
'unixReviewTime': 1296691200,
'reviewTime': '02 3, 2011'},
{'reviewerID': 'A16UW55IAXI9LW',
'asin': 'B000GK6NFK',
'reviewerName': 'Frank Sabler',
'helpful': [0, 1],
'reviewText': "Bought it for daughter she loves it so that's all that matters to me . I personally never watched it",
'overall': 5.0,
'summary': 'bought for dauhgter',
'unixReviewTime': 1377043200,
'reviewTime': '08 21, 2013'},
{'reviewerID': 'A55KA3FEBNDL',
'asin': 'B000GK6NFK',
'reviewerName': 'Gabriela "Gaby"',
'helpful': [0, 1],
'reviewText': 'ive already seen the show, its really good, so i decided to buy it and i got my moneys worth. now ill have it whenever i feel like watching.',
'overall': 5.0,
'summary': 'south of nowhere season 1',
'unixReviewTime': 1245456000,
'reviewTime': '06 20, 2009'},
{'reviewerID': 'A3QW44Q3C856NR',
'asin': 'B000GK6NFK',
'reviewerName': 'heartofalion26',
'helpful': [3, 3],
'reviewText': 'I was very pleased with my recent purchase of season one of south of nowhere on DVD. I had read some bad things about this set but I bought it anyway, I was a big fan of the show back then and I just wanted to be able to watch it again. I wanted to buy all 3 seasons but that would have been pretty expensive. lol I do plan to buy the other two later. But as some have already stated, the theme music is different. I didn\'t like it at first but after you watch it all the way through you don\'t mind the theme music, it\'s just strange to me that they changed it...? this is a great gift for anyone you may know struggling with their sexuality. it got me through some tough times with my own when it was on television and now I can sit back and watch Spencer\'s plight knowing what she\'s gone through already firsthand. The set is only 3 DVDs long it\'s a very short season, that\'s why it\'s so cheap compared to season 2 & 3 but I recommend it to anyone. I really wish everyone would watch the whole season I think it would change some views of a lot of closed-minded people. All three seasons of the show depict a young girl struggling to balance between making her mother, a religious woman with strong opinions, happy and letting herself be who she is finding out she is. Her father, a guidance counselor of sorts, just wants her to be happy but he\'s got his own problems. The story also centers on her two brothers, one adopted and looking for his birth mother, and one blood brother who is trying to be a basketball star and runs into complications along the way. Ashley and Spencer are adorable together and this is, above all, a love story for the next generation. The set itself is no fuss no muss, comes with just the box and 3 DVDs, conservatively decorated, but it\'s what is inside that counts, which is hours of enjoyment that will make you go "awww!" and have you smiling to yourself. I would give this whole series as a gift to anyone and everyone if it weren\'t so expensive I think everyone should watch it it\'s both entertaining and helpful in understanding the plight of lesbian and bisexual people. Ashley never says she\'s a lesbian (that I remember. at least not in this season) and sometimes she plays around with aiden but in the end we know she\'s not into men. Spencer is "not into labels" and I love her for that so we never know whether to classify either of them as "bi" or "gay" as spencer called it, but I can pretty safely say this is a show about girls, for girls, of any orientation. It\'s compelling and full of sweet moments anyone could enjoy.',
'overall': 5.0,
'summary': 'South Of Nowhere Season 1',
'unixReviewTime': 1290470400,
'reviewTime': '11 23, 2010'},
{'reviewerID': 'A7SH32KDX7BS2',
'asin': 'B000GK6NFK',
'reviewerName': 'Isela',
'helpful': [0, 0],
'reviewText': "This show really got me through my younger years of teen angst, homo-becoming, and all around finding my own path to follow.All 3 discs play perfectly. No previews, skips straight to menu. Only thing I noticed is no subtitles '0.o' Only a problem if you're into 'em. All around full five stars!",
'overall': 5.0,
'summary': 'Just as I remembered',
'unixReviewTime': 1391731200,
'reviewTime': '02 7, 2014'},
{'reviewerID': 'A2VRO53CM5EP28',
'asin': 'B000GK6NFK',
'reviewerName': 'ItsMe',
'helpful': [1, 1],
'reviewText': "This is an amazing show that used to come on The N network. It's a show about a girl who meets another girl who she thinks she's falling in love with. She becomes confused about her sexuality, her family is having lots of problems, and everything is just crazy in her life. There are quite a few dark moments but they are balanced by light, happy, and funny moments. It is a great teen drama.",
'overall': 5.0,
'summary': 'A really great show!',
'unixReviewTime': 1358553600,
'reviewTime': '01 19, 2013'},
{'reviewerID': 'A1CU3ANLIPE538',
'asin': 'B000GK6NFK',
'reviewerName': 'Janel',
'helpful': [0, 1],
'reviewText': 'Butttt, When i got it, it was scrached and it wont play the correct way.I will be getting a replacement and i will be happy.These discs for season one are different from the other ones. I got a replacement for the disc and that one was still scratched.... I dont know what they are doing to the cds but they were scratched for a second time!',
'overall': 5.0,
'summary': 'Love this show',
'unixReviewTime': 1367884800,
'reviewTime': '05 7, 2013'},
{'reviewerID': 'A3VI7N9O6K3MAF',
'asin': 'B000GK6NFK',
'reviewerName': 'Jazz',
'helpful': [0, 1],
'reviewText': 'To buy the season 2, 1 is juicy and leaves you craving more, there love is strong regard all the struggles they go through. Eventually I will end up buying them all.',
'overall': 5.0,
'summary': "Can't wait!",
'unixReviewTime': 1381536000,
'reviewTime': '10 12, 2013'},
{'reviewerID': 'A3P63XV3B7IA36',
'asin': 'B000GK6NFK',
'reviewerName': 'Jen Godbehere',
'helpful': [0, 1],
'reviewText': 'I watched the entire series. It was Awesome! I am bummed that it was only 3 seasons. I love Mandy Musgrave...',
'overall': 5.0,
'summary': 'Loved It!',
'unixReviewTime': 1381104000,
'reviewTime': '10 7, 2013'},
{'reviewerID': 'A28SXDX87WNBDZ',
'asin': 'B000GK6NFK',
'reviewerName': 'Jennifer L. Childers',
'helpful': [0, 0],
'reviewText': "I just found this series, and I am hooked! Watched all of season 1 in 1 day, and I can't wait for Season 2!!!",
'overall': 5.0,
'summary': 'SON',
'unixReviewTime': 1394928000,
'reviewTime': '03 16, 2014'},
{'reviewerID': 'A1XLZA0EKRUDJR',
'asin': 'B000GK6NFK',
'reviewerName': 'Jess',
'helpful': [0, 1],
'reviewText': 'Love this show! So happy to find it online for a great price! A nice addition to my DVD collection! :)',
'overall': 5.0,
'summary': 'wonderful series',
'unixReviewTime': 1384819200,
'reviewTime': '11 19, 2013'},
{'reviewerID': 'A3VOYWGL8SZ6T8',
'asin': 'B000GK6NFK',
'reviewerName': 'J.J.',
'helpful': [0, 1],
'reviewText': "If I'd ever longed for a dramatic show to highlight the dramatic and difficult path that we all take through adolescence to find our true selves, I've found it. I love this show!",
'overall': 5.0,
'summary': 'Fantastic!',
'unixReviewTime': 1368230400,
'reviewTime': '05 11, 2013'},
{'reviewerID': 'A12DJ1784JEUOL',
'asin': 'B000GK6NFK',
'reviewerName': 'John D. Hartsough',
'helpful': [1, 2],
'reviewText': "I was so happy to see the pop-up on The~N for seasons 1-2. I only got season 1 and am very happy with the CD-R quality. Can't get enough of the Maddison/Ashley feud and the love that starts to blossom between Ashley and Spencer is priceless :-)",
'overall': 4.0,
'summary': "It's About Time!!",
'unixReviewTime': 1227484800,
'reviewTime': '11 24, 2008'},
{'reviewerID': 'AV6AFHG3U0U9A',
'asin': 'B000GK6NFK',
'reviewerName': 'J. Smith "Maven"',
'helpful': [0, 3],
'reviewText': 'So, I got My South Of Nowhere DVD in the mail today, i havent watched the episodes yet but i wanted to look at the main menu on the dvd and it doesnt have any type of beggining credits or anything the dvd menu just plops right up and its very plain and boring.(my brother was even in the room and said "degrassi\'s menu looks way better why does this look so bad") and im thinking mabey cause it wasnt presented under a major label, thats why it is so cheap looking,cause i think amazon.com is the ones selling this dvd..as for the quality in the episodes i dont kno yet because i havent watched any but I\'ve heard that the Picture is really,really good! the show itse;f is very realisitic and even though degrassi is too, degrassi can be very dramatic someitmes...but this show keeps it very cut-dry and even the language used in today is portrade the same.All in all its worth buying (so isnt buying season 2 & 3 )which are being mailed to me as we speak...ahaha Just thought i would share my opinion...so go out and buy it!',
'overall': 4.0,
'summary': 'South Of Nowhere Is Historic!',
'unixReviewTime': 1242777600,
'reviewTime': '05 20, 2009'},
{'reviewerID': 'ABUZCXVWZLHC9',
'asin': 'B000GK6NFK',
'reviewerName': 'J. T. Sheldon',
'helpful': [5, 7],
'reviewText': 'at first i was afraid to buy this dvd set because of some of the reviews, including the one talking about how they changed the theme song. but overall, i\'m glad i bought seasons 1 and 2 of south of nowhere. while the origonal theme song by the donna\'s WAS better suited, and despite how much i hate to say this... i love the new theme. *waits for people to groan* the first time i heard it i was like "ew" but then as time went on i fell in love with it, singing along and making my mom give me weird looks :Pthere are no special feautures on either season 1 and 2, but i didn\'t think SoN was going to ever be released on dvd, so the fact that is IS and that all the episodes are here, well, that\'s good enough for me. they just better release season 3, too, or i\'m gonna be pissed.P.S. - (season 2\'s theme is the same, "wasted" by L.P.)',
'overall': 3.0,
'summary': 'this is the time to fly (DVD review)',
'unixReviewTime': 1223683200,
'reviewTime': '10 11, 2008'},
{'reviewerID': 'A1DT8VXDWGY02B',
'asin': 'B000GK6NFK',
'reviewerName': 'Juan Sanchez',
'helpful': [0, 0],
'reviewText': "I loved that show since the first time I saw it. The only thing I didn't like is that they changed the opening song. Wonderful show.",
'overall': 4.0,
'summary': 'South of Nowhere',
'unixReviewTime': 1401667200,
'reviewTime': '06 2, 2014'},
{'reviewerID': 'A3KTYXYEWMJHUH',
'asin': 'B000GK6NFK',
'reviewerName': 'Karen',
'helpful': [1, 1],
'reviewText': "I have been looking for this show in it's entirety. It is a very good quality,does not skip or freeze.",
'overall': 5.0,
'summary': 'Good Quality',
'unixReviewTime': 1378944000,
'reviewTime': '09 12, 2013'},
{'reviewerID': 'A2FVDZ9F0YPIFP',
'asin': 'B000GK6NFK',
'reviewerName': 'Katie Pittman',
'helpful': [0, 1],
'reviewText': 'I loved it the first time I saw this season. The cast was amazing and the season was very well put together.',
'overall': 5.0,
'summary': 'South of Nowhere Rocks',
'unixReviewTime': 1384732800,
'reviewTime': '11 18, 2013'},
{'reviewerID': 'A1SYZI8XAFW9HD',
'asin': 'B000GK6NFK',
'reviewerName': 'Kizzy M. Davis',
'helpful': [0, 2],
'reviewText': 'for a new series its pretty good, hell who am i kidding i loved it.',
'overall': 4.0,
'summary': 'pretty good',
'unixReviewTime': 1227571200,
'reviewTime': '11 25, 2008'},
{'reviewerID': 'A1H5G60239IB8D',
'asin': 'B000GK6NFK',
'reviewerName': 'klazmom',
'helpful': [1, 2],
'reviewText': 'Not quite what I was expecting, the acting is not that great, hopefully that will improve over the next seasons. Seems to me to be a "90210" copycat.',
'overall': 2.0,
'summary': 'Not what I was expecting',
'unixReviewTime': 1367366400,
'reviewTime': '05 1, 2013'},
{'reviewerID': 'A2P6REPFF51MTE',
'asin': 'B000GK6NFK',
'reviewerName': 'Laina',
'helpful': [0, 1],
'reviewText': "Package arrived on time and in perfect condition. DVD's played perfectly and I would definitely buy from this seller again.",
'overall': 5.0,
'summary': "Laina's Review for SON S1",
'unixReviewTime': 1283126400,
'reviewTime': '08 30, 2010'},
{'reviewerID': 'A24YV7DUO05ATU',
'asin': 'B000GK6NFK',
'reviewerName': 'laynea',
'helpful': [0, 1],
'reviewText': 'This show is a little corny at first, but gets better and better as it goes on. It really just sucks you in.',
'overall': 5.0,
'summary': 'Intriguing',
'unixReviewTime': 1384300800,
'reviewTime': '11 13, 2013'},
{'reviewerID': 'A24WXVWTRPC6J3',
'asin': 'B000GK6NFK',
'reviewerName': 'L. Kaufman',
'helpful': [0, 0],
'reviewText': 'Season 1 is about moving to a new place and lots of self discovery. Great show, I highly recommend it. Very realistic unlike The L world which is mostly fantasy.',
'overall': 5.0,
'summary': 'Loved season 1. Discovery is a wonderful thing!',
'unixReviewTime': 1233273600,
'reviewTime': '01 30, 2009'},
{'reviewerID': 'A3OGUQOD70EMMK',
'asin': 'B000GK6NFK',
'reviewerName': 'Louise "Lulu Tripp"',
'helpful': [1, 4],
'reviewText': 'Why on earth did Season Two come out/arrive before Season One? It seriously makes no sense whatsoever. I have Season Two, but I want to watch them (again) in order darnit.Heh, anyway. I love this show...',
'overall': 4.0,
'summary': 'Can somebody please tell me...',
'unixReviewTime': 1223856000,
'reviewTime': '10 13, 2008'},
{'reviewerID': 'A3MTD1X2STS73G',
'asin': 'B000GK6NFK',
'reviewerName': 'Maria',
'helpful': [0, 2],
'reviewText': 'I just started watching this show recently and i was instantly hooked. If i was rating the show itself, i would have given 5 stars. however, the dvd set available here is satisfactory. it is made to order and when i received mine in the mail they were all scratched up. It skips in a spot which is irritating. overall i would still buy this because i would rather deal with a few imperfections than not own the show at all.',
'overall': 4.0,
'summary': 'Love This Show!',
'unixReviewTime': 1265932800,
'reviewTime': '02 12, 2010'},
{'reviewerID': 'A2CN3RAZ6YMG7B',
'asin': 'B000GK6NFK',
'reviewerName': 'Melissa S. Austin "Melissa Austin "girl l...',
'helpful': [5, 5],
'reviewText': "This show was amazing as it tells the story of the Carlins. Paula the mom, Arthur the dad, Glenn the oldest brother, Clay the adopted black brother, and Spencer whom the show focuses most of it's attention on. I wish this had come out years earlier when I was questioning my own sexuality. It deals with the relationship of Spencer Carlin and Ashley Davies. Paula has a hard time accepting Ashley for being a lesbian and Spencer's best friend. The Carlins are a catholic family who moves from Ohio to Los Angeles CA. Although it's a teen show that shows sexuality differences there are other characters as well as their relationships. A definite recommend.",
'overall': 5.0,
'summary': 'Great for the questioning of sexuality.',
'unixReviewTime': 1245628800,
'reviewTime': '06 22, 2009'},
{'reviewerID': 'A1LFPMXA63SC8N',
'asin': 'B000GK6NFK',
'reviewerName': 'mini10z',
'helpful': [0, 1],
'reviewText': 'It has such a great story and characters i think it is a must see if your in to romantic love storys after i saw an episode i couldnt stop watching them',
'overall': 5.0,
'summary': 'Best Teen Show Ive Seen',
'unixReviewTime': 1380326400,
'reviewTime': '09 28, 2013'},
{'reviewerID': 'A3FF40QHATHVK0',
'asin': 'B000GK6NFK',
'reviewerName': 'Nancy L. Manning "nmanning"',
'helpful': [1, 2],
'reviewText': 'I love Splashley! I watched all these before and loved the series. I love having these in my collection. Good service also!!!',
'overall': 5.0,
'summary': 'Love it',
'unixReviewTime': 1325721600,
'reviewTime': '01 5, 2012'},
{'reviewerID': 'ASLA77MR9QKGP',
'asin': 'B000GK6NFK',
'reviewerName': 'N. Nerode',
'helpful': [41, 45],
'reviewText': 'CONSUMER WARNING.The series is great. The DVD picture quality is also quite good, and it is nice not to have network adverts crawling across the screen.However, I cannot give a good rating to a DVD set which hacks up the original show. If you\'re really a fan, you will consider this to be a low-quality, defective release, and you may consider it inferior to off-air copies.The theme music has been completely replaced with a different song. This should have been noted on the description; yet another case of false advertising in DVDs. The original song is, of course, much more appropriate and better.There may be other unidentified cuts and alterations, as the series used a lot of rather expensive music.The versions on Amazon Unbox and iTunes have the same cuts.The DVDs have several mastering errors; the "choose episode" option simply doesn\'t work.',
'overall': 2.0,
'summary': 'Great series, offensive DVD release',
'unixReviewTime': 1225324800,
'reviewTime': '10 30, 2008'},
{'reviewerID': 'A1FTD75LGWVKPH',
'asin': 'B000GK6NFK',
'reviewerName': 'Paige5225',
'helpful': [0, 1],
'reviewText': "It took me forever to be able to find this television serious and I couldn't be happier. This is one of the best drama series to ever be played on the N. I was really excited to receive this season, I would recommend this to anyone !",
'overall': 5.0,
'summary': 'Yay',
'unixReviewTime': 1361404800,
'reviewTime': '02 21, 2013'},
{'reviewerID': 'A12Y211FLZBU62',
'asin': 'B000GK6NFK',
'reviewerName': 'Paiggeerr',
'helpful': [1, 2],
'reviewText': 'I was very excited to find this season since I had been thinking about the show for months. Once I found it I got to re-watch the episodes and it made me remember high school. Loved this show. Still do!',
'overall': 5.0,
'summary': 'Very Good',
'unixReviewTime': 1325376000,
'reviewTime': '01 1, 2012'},
{'reviewerID': 'A1QN643GXIE1Q5',
'asin': 'B000GK6NFK',
'reviewerName': 'paul',
'helpful': [0, 1],
'reviewText': 'it was a very open at the begining about young people coming to terms with there sexualitybut starts to get a bit melodramatic as it goes on.',
'overall': 5.0,
'summary': 'it was a good soapy',
'unixReviewTime': 1366848000,
'reviewTime': '04 25, 2013'},
{'reviewerID': 'A2L513SLW6IVGO',
'asin': 'B000GK6NFK',
'reviewerName': 'rachel dwyer',
'helpful': [0, 1],
'reviewText': "South of Nowhere: Season One. i love south of nowhere it's my faviter. i love love it. so dis my friends",
'overall': 5.0,
'summary': 'south of nowhere',
'unixReviewTime': 1345939200,
'reviewTime': '08 26, 2012'},
{'reviewerID': 'A3H8F10BFSZ14U',
'asin': 'B000GK6NFK',
'reviewerName': 'rebecca',
'helpful': [0, 1],
'reviewText': 'the best series ever wish it never ended. but at least i can have a copy in my library of movies',
'overall': 5.0,
'summary': 'great',
'unixReviewTime': 1374019200,
'reviewTime': '07 17, 2013'},
{'reviewerID': 'A1KNGTJWOW8NA9',
'asin': 'B000GK6NFK',
'reviewerName': 'renee',
'helpful': [1, 18],
'reviewText': 'This series was recommened to me and I found it to be the biggest waste of time and money,I thought that maybe if I persisted with it it would get better man was I wrong.',
'overall': 1.0,
'summary': 'south of nowhere',
'unixReviewTime': 1252022400,
'reviewTime': '09 4, 2009'},
{'reviewerID': 'ADQESAUCAQFUS',
'asin': 'B000GK6NFK',
'reviewerName': 'Roger Ulland',
'helpful': [1, 2],
'reviewText': 'this is south of nowhere; dramatic, funny, whell acted and realiatic. Now, not only do we see the world from a gay person`s eyes, but we see the world from all human angles. I must edmit I was sceptical about this show. I was plessently suprised. So look, if you`re into drama and you are a grown person, you will truly enjoy this season. Have fun.',
'overall': 5.0,
'summary': 'A superb angle',
'unixReviewTime': 1227398400,
'reviewTime': '11 23, 2008'},
{'reviewerID': 'ARYRX0J70PLZQ',
'asin': 'B000GK6NFK',
'reviewerName': 'Samantha',
'helpful': [0, 0],
'reviewText': "Though pricing for a very simple dvd copy of the series, it's definite;y worth it to have the show and avoid all of the ridiculous "the N" adds constantly sliding across the bottom of the screen. There are a few song differences but nothing I would say changes the show. Quality is as good as it gets considering the show its self was a little bit low quality in the beginning anyways. The dvds are working great and I would highly suggest them!",
'overall': 5.0,
'summary': 'if you love SoN, get this!',
'unixReviewTime': 1395187200,
'reviewTime': '03 19, 2014'},
{'reviewerID': 'A1N2C8M6DQYIEW',
'asin': 'B000GK6NFK',
'reviewerName': 'Sara E. Simmons "Takira may"',
'helpful': [0, 1],
'reviewText': 'I love love love this show/movie its great it shows drama and love relationships and break ups. Its about realizing who you are for the frist time in a new town.If you liked season one you will totally love seasons 2 and 3.',
'overall': 5.0,
'summary': 'Great!!!!!',
'unixReviewTime': 1243123200,
'reviewTime': '05 24, 2009'},
{'reviewerID': 'AA738P7M3ZKAY',
'asin': 'B000GK6NFK',
'reviewerName': 'Seaneen Duggan "Rassick"',
'helpful': [1, 2],
'reviewText': 'a lovely show and much neededparticularly now in America.A genuinely nice product will scriptd and beautifully suggestive so keeps both the younger and slightly older viewer happy.',
'overall': 5.0,
'summary': 'great light gay drama',
'unixReviewTime': 1227657600,
'reviewTime': '11 26, 2008'},
{'reviewerID': 'A397ISZD1AW5YM',
'asin': 'B000GK6NFK',
'reviewerName': 'shane mcbain',
'helpful': [0, 1],
'reviewText': 'went down south very very quick, boring to watch only wasted about 1 hour ( 2 episodes ) couldnt get into this show',
'overall': 1.0,
'summary': 'son',
'unixReviewTime': 1399766400,
'reviewTime': '05 11, 2014'},
{'reviewerID': 'AJ0PB8EHFXLM5',
'asin': 'B000GK6NFK',
'reviewerName': 'sinny',
'helpful': [4, 5],
'reviewText': "As a mature adult lesbian I can't believe how lucky you kids are to have shows like this. Coming out can be s... , and with shows like this hopefully it makes it easier. The script, story line and acting is good by all. I look forward to viewing Series 2 and 3.",
'overall': 4.0,
'summary': 'Series 1',
'unixReviewTime': 1287705600,
'reviewTime': '10 22, 2010'},
{'reviewerID': 'A30TYK11RSXNPE',
'asin': 'B000GK6NFK',
'reviewerName': 'Steff',
'helpful': [0, 2],
'reviewText': 'South of Nowhere is a great show and I know that the story line helps alot of teens going through the same things. I was so happy with my purchase. The item arrived 2 days before the estimated arrival time. Very happy',
'overall': 4.0,
'summary': 'Good stuff',
'unixReviewTime': 1306627200,
'reviewTime': '05 29, 2011'},
{'reviewerID': 'A21NJ6Q8H9A5HH',
'asin': 'B000GK6NFK',
'reviewerName': 'SuperNaye "Music geek ^_^"',
'helpful': [1, 2],
'reviewText': "So, ever since I first saw this show on The N (before it was Teen Nick), I have been infatuated with this show. I love the storyline of Spencer and her family as they move to Los Angeles and find themselves. It's an amazing show, full of twists and turns. I'm extremely glad with my purchase and I will be buying the other seasons soon. You should definitely check this show out. It's truly amazing.",
'overall': 5.0,
'summary': 'South of Nowhere is still amazing',
'unixReviewTime': 1327795200,
'reviewTime': '01 29, 2012'},
{'reviewerID': 'A3LKO1N1W6UOEP',
'asin': 'B000GK6NFK',
'reviewerName': 'SurfEr "Er"',
'helpful': [16, 18],
'reviewText': 'This series is absolutly amazing. if you have never watched it you will fall in love with the characters from episode 1. unfortunatly the dvd box set is MADE TO ORDER and DVDR which means they are burnt from a computer and put together much like a burnt copy or bootleg copy. its ashame because this series is so good and it makes it seem not much worth it. Not saying why, but I am sure they have there reasons for ending the series and not spending alot of time on the quality. Hopefully everyone enjoys the show and looks past the appearance of the box. I recommend buying it just its ashame the music is different and that the box is cheap.',
'overall': 3.0,
'summary': 'GREAT SERIES, CHEAPLY DISTRUBTED DVD',
'unixReviewTime': 1228694400,
'reviewTime': '12 8, 2008'},
{'reviewerID': 'A5BHKRNK8WGSE',
'asin': 'B000GK6NFK',
'reviewerName': 'Tara Tissink',
'helpful': [0, 0],
'reviewText': 'It was great to see a series like this with a young girl coming out.. showing all the hardest parts.I Really liked the programme... its never been TOO gay.... if that makes sense (not that i mind too gay), its relatible and easy for anyone to watch.. not just us gay girls lol',
'overall': 5.0,
'summary': 'I LOVE SOUTH OF NOWHERE',
'unixReviewTime': 1237161600,
'reviewTime': '03 16, 2009'},
{'reviewerID': 'A18CMGIQZ1OAA2',
'asin': 'B000GK6NFK',
'reviewerName': 'toby',
'helpful': [0, 1],
'reviewText': "I just recently started watching son and didn't catch it til after its dvd release. Though its of a generation I don't understand (a friend of mine calls them the squeaky generation and i think the term fits, that and i think its cute) the joys and obstacles are the same from generation to generation. South of Nowhere got its hooks in me with the first episode and was surprised to find one of the executive producers is rose troche who was responsible for a lot if not most of the gay films i have in my collection from my own generation. I love the show and i think its an important show for anyone gay or straight. It isn't just about spencer and ashley and the prejudice and relationship struggles they face but also what its like to be a black boy from Ohio thrown into the big scary city being raised by a white family and struggling with the fact that he was given up by his biological mother. It shows a mothers bigotry and how it affects her relationship with her daughter. It shows a family that is religious but at the same time is far from perfect. Its a show about family, friends, new beginnings and old problems. i love it",
'overall': 5.0,
'summary': 'surprisingly brilliant',
'unixReviewTime': 1336521600,
'reviewTime': '05 9, 2012'},
{'reviewerID': 'A2OENV0Q6XM7RV',
'asin': 'B000GK6NFK',
'reviewerName': 'trevsch',
'helpful': [1, 1],
'reviewText': "This show has a lot of power with likable characters and an interesting plot. I saw some episodes here and there and liked it, so then I decided to get the first season and I'm very happy with it! Although Amazon.com manufactures it all on DVD-R, everything was of great quality, all the menus worked just fine, high quality picture and packaging!",
'overall': 5.0,
'summary': 'Meaningful show',
'unixReviewTime': 1324684800,
'reviewTime': '12 24, 2011'},
{'reviewerID': 'ALYYCICBKYSQ7',
'asin': 'B000GK6NFK',
'reviewerName': 'Valerie Harris',
'helpful': [0, 1],
'reviewText': 'This show was on for three years and I was heart-broken when this series was canceled. The story was a twist on the run-of-the-mill high-school-drama and featured a lesbian couple that had a lo of chemistry.',
'overall': 5.0,
'summary': 'Twist on to Average High School Drama',
'unixReviewTime': 1374883200,
'reviewTime': '07 27, 2013'},
{'reviewerID': 'A22T5BBSN1RKNU',
'asin': 'B000GK6NFK',
'reviewerName': 'V. Lambert',
'helpful': [0, 1],
'reviewText': 'i have watched every season and it get better. wish they made more season then 3 but hey good shows end good and never drag on',
'overall': 5.0,
'summary': 'great',
'unixReviewTime': 1361318400,
'reviewTime': '02 20, 2013'},
{'reviewerID': 'A1GCZ7WDSXRIT0',
'asin': 'B000GK7DPY',
'reviewerName': 'Mr. Bliss',
'helpful': [1, 3],
'reviewText': 'This is an excellent documentary of Shangri-La and its elusive transcendental nature.',
'overall': 5.0,
'summary': 'The Search For Shangri-La',
'unixReviewTime': 1161475200,
'reviewTime': '10 22, 2006'},
{'reviewerID': 'A1QKECGNKWOYX5',
'asin': 'B000GK7DPY',
'reviewerName': 'R. McCoy "R. McCoy"',
'helpful': [3, 7],
'reviewText': "The episodes in this series have an average running time of 50 minutes. This one happens to be only 18 minutes. This mean sthat the file abruptly stops right in the middle. Even though it only cost me $2 I still got jipped. Let's hope Amazon can iron out these kinds of problems before they get this service farther underway. Be careful enough to sheck the running times to be sure they seem accurate before you buy them.",
'overall': 1.0,
'summary': 'Warning Incomplete Episode!!!',
'unixReviewTime': 1157673600,
'reviewTime': '09 8, 2006'},
{'reviewerID': 'AGPOJFLTYSMFW',
'asin': 'B000GK7DPY',
'reviewerName': 'RMP',
'helpful': [0, 0],
'reviewText': 'Run time was 48 minutes. A stellar documentary. The download worked perfectly. Hope the review was helpful. ty.',
'overall': 5.0,
'summary': 'Illuminating Documentary',
'unixReviewTime': 1169251200,
'reviewTime': '01 20, 2007'},
{'reviewerID': 'A2GD669PGTMJZ',
'asin': 'B000GOTJGG',
'reviewerName': 'David Kris',
'helpful': [0, 0],
'reviewText': 'I cannot review this because I never saw it. But to make a guess it most likely sucked. Thank you.',
'overall': 1.0,
'summary': 'Never saw it!',
'unixReviewTime': 1399939200,
'reviewTime': '05 13, 2014'},
{'reviewerID': 'A1NZLRAZJGD99W',
'asin': 'B000GOTJGG',
'reviewerName': 'Kimo',
'helpful': [0, 0],
'reviewText': 'I would give this movie a 2.5 star rating if I could. It has a lot of good action but its not great like Delta Force & Delta Force 2 with the A list stars.',
'overall': 2.0,
'summary': 'Decent Movie',
'unixReviewTime': 1392163200,
'reviewTime': '02 12, 2014'},
{'reviewerID': 'A1P9VRIY3R9YTT',
'asin': 'B000GOTJGG',
'reviewerName': 'Mr.C',
'helpful': [0, 0],
'reviewText': 'MOVIE IT OK, BUT IT NEEDS CHUCKIt a ok movie, not so good as the delta force 1Ok movie for 90"S',
'overall': 4.0,
'summary': 'OK',
'unixReviewTime': 1345680000,
'reviewTime': '08 23, 2012'},
{'reviewerID': 'A1DQQO0A82SCKO',
'asin': 'B000GOV10S',
'reviewerName': 'Nikkigrl19',
'helpful': [0, 1],
'reviewText': 'Loved this since I was little! Excited to know own this so I can let my kids watch this! I recommend this to anyone who has a daughter they will love this!',
'overall': 5.0,
'summary': 'My favorite one of this series!!!!',
'unixReviewTime': 1358553600,
'reviewTime': '01 19, 2013'},
{'reviewerID': 'A23BUI9NSDYUTY',
'asin': 'B000GOW7RE',
'reviewerName': 'Dsinned',
'helpful': [0, 0],
'reviewText': "Well worth the price. A good overview of the Apollo program highlighting the first lunar landing mission of Apollo 11 in 1969. The quality of actual events NASA's archival footage and CGI are excellent. Lots of expert interviews to make it authentic and knowledgeable commentary, but not overly technical. Apollo 11 mission went almost flawlessly, but some of the trouble spots are covered to provide a dramatic flavor and keep it interesting with a good mix of stories about man and machines. The History Channel's Modern Marvels and this episode in particular provide outstanding entertainment even as documentaries. Highly recommended.",
'overall': 5.0,
'summary': 'Apollo 11 episode',
'unixReviewTime': 1208563200,
'reviewTime': '04 19, 2008'},
{'reviewerID': 'A3G8Y1R1MEBZ6L',
'asin': 'B000GOW7RE',
'reviewerName': 'Garrett Cook',
'helpful': [0, 0],
'reviewText': 'Has good quality, Plays well, Very informative, Full 45 minutes, No commercials. I love the Modern Marvels shows and Digi-tech would be on my top 10!',
'overall': 5.0,
'summary': 'Modern Marvels Digi-tech',
'unixReviewTime': 1197072000,
'reviewTime': '12 8, 2007'},
{'reviewerID': 'A1H4CM2169AVJ8',
'asin': 'B000GOW9B8',
'reviewerName': 'Derik G. Wilson "Derik"',
'helpful': [0, 0],
'reviewText': "Much of the information is exaggerated, incorrect, or assumptions based on wild imagination; try reading the bible if you want to know about Satan. Don't watch this sensationalist garbage on TV. They even use Dante's Inferno as a credible source of information if that tells you anything. These people have no clue.",
'overall': 1.0,
'summary': "It's ok, with the exception of the biography on Satan.",
'unixReviewTime': 1196985600,
'reviewTime': '12 7, 2007'},
{'reviewerID': 'AJ67707H0SE0G',
'asin': 'B000GOW9B8',
'reviewerName': 'Stephen P. Richard "STEPHEN PAUL"',
'helpful': [2, 3],
'reviewText': 'This is an amazing service! For only 2 bucks i can watch what i like for the moment. In this case it was HG WELLS. Great biography.',
'overall': 5.0,
'summary': 'HG WELLS',
'unixReviewTime': 1168214400,
'reviewTime': '01 8, 2007'},
{'reviewerID': 'AQNPK1Q7HIAP3',
'asin': 'B000GOYLNC',
'reviewerName': 'josh',
'helpful': [0, 0],
'reviewText': 'Joe morello is a true master, and anything you can pick up from him will be of great value. I love this guy, did I say that already.',
'overall': 5.0,
'summary': 'i love this guy',
'unixReviewTime': 1373328000,
'reviewTime': '07 9, 2013'},
{'reviewerID': 'AVUQGFQ48KSQD',
'asin': 'B000GP0T82',
'reviewerName': 'kindleclusters',
'helpful': [0, 0],
'reviewText': 'Thought this would have some New insight. It is the same stuff taught in middle school.The point being - master it and you will do well. True.I was expecting more. . .Something new.',
'overall': 3.0,
'summary': 'Same stuff already out there . .',
'unixReviewTime': 1354665600,
'reviewTime': '12 5, 2012'},
{'reviewerID': 'A3980MZZ3X0SQK',
'asin': 'B000GP38JE',
'reviewerName': 'MsEnlightened1',
'helpful': [0, 0],
'reviewText': 'IT WAS LOTS OF FUN! AND BOTH FLAV AND BRIDGETTE WERE TOTALLY NICE AND DOWN TO EARTH PEEPS! =0)IM THE ONE IN THE WHITE GSTRING DANCING AND LAUGHING WITH FLAV',
'overall': 5.0,
'summary': 'Im the stripper in the vegas strip club trip...',
'unixReviewTime': 1369353600,
'reviewTime': '05 24, 2013'},
{'reviewerID': 'AOPFV2L6RMDH6',
'asin': 'B000GP38JE',
'reviewerName': 'neebee "nee"',
'helpful': [0, 0],
'reviewText': "A lot of people dont like flav but strange love is the bomb, hilarious and I'd recommend it to everyone.",
'overall': 5.0,
'summary': 'explosive',
'unixReviewTime': 1186185600,
'reviewTime': '08 4, 2007'},
{'reviewerID': 'A13B92MEBO2RZA',
'asin': 'B000GPHCXW',
'reviewerName': 'E. Patterson "ep83"',
'helpful': [3, 3],
'reviewText': "I downloaded this with a gift certificate from the Creative Zen purchase. I've seen pieces of Woody Mann's DVD on Blind Blake, and as an instructor, he appears to know how to communicate with someone who is trying to learn. In other words, his demonstrations are slow (but still in rhythmic time), and his explanations are meticulous and succinct.However, Amazon's Unbox download is lacking a pdf tablature to supliment the video download. This could be detramental to people who want to learn the styles Mann teaches (Lonnie Johnson, Memphis Minnie, etc...) but do not have the musical vocabulary, or have not yet been introduced to it.My suggestion to the buyer is if you get stuck, find some mp3s & online tabs of these artists works, learn their phrases and then come back to this video for Woody Mann to help explain the thinking / theory behind these individual styles. Because I know if I had not already learned one or two songs from these artists, along with some basic fretboard theory, I wouldn't know where to begin with this $14 purchase.Or just don't buy this video. Spend the few extra bucks on the physical dvd and booklet. Whatever works for you.(Note to Amazon: The three stars is based on Amazon's poor judgement to not include pdf tabs. This idea of downloading instructional videos is fantastic, but can easily be undermined by poor execution on the provider's part.)",
'overall': 3.0,
'summary': 'Five Stars For Woody, Three For Download',
'unixReviewTime': 1164153600,
'reviewTime': '11 22, 2006'},
{'reviewerID': 'A4SVWR345W2K7',
'asin': 'B000GPKEYG',
'reviewerName': 'Clayton A. Blackwell',
'helpful': [0, 0],
'reviewText': "I highly recommend this video for beginners who don't have the luxury of a martial arts gym nearby or just those trying to learn some basic fighting techniques for their own knowledge. I personally haven't had any real formal stand up training and I found this video to be very informative.",
'overall': 4.0,
'summary': 'Good for beginners',
'unixReviewTime': 1291420800,
'reviewTime': '12 4, 2010'},
{'reviewerID': 'A1JSXHH53WQXV0',
'asin': 'B000GPWEIU',
'reviewerName': 'DJ Tantrum',
'helpful': [0, 0],
'reviewText': 'Great movie on the surf culture! Absolute must have! I really like the progression of the movie from the origin of board sports through present day and evolution of surfing.',
'overall': 5.0,
'summary': 'Great movie! A solid guide to surf culture and origin of board sports!',
'unixReviewTime': 1385337600,
'reviewTime': '11 25, 2013'},
{'reviewerID': 'AEGLBUVTRQ2AY',
'asin': 'B000GQ02C4',
'reviewerName': 'B',
'helpful': [0, 0],
'reviewText': 'please do not waste your money on this like I did. poor video quality and all at night...seemed like it was filmed a decade ago by a 16 year old.',
'overall': 1.0,
'summary': 'horrible',
'unixReviewTime': 1337126400,
'reviewTime': '05 16, 2012'},
{'reviewerID': 'A15GABAZWJM8TD',
'asin': 'B000GQ02C4',
'reviewerName': 'jason bertetto',
'helpful': [0, 0],
'reviewText': "i've seen and have purched street race videos before, very disipointed with this one. yeah its got some racing but it is all at night and shaky. not very great quality.",
'overall': 2.0,
'summary': 'not worth it.',
'unixReviewTime': 1365552000,
'reviewTime': '04 10, 2013'},
{'reviewerID': 'A332OZ9MAWFBOQ',
'asin': 'B000GQQ60Q',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'Most of this video is a naration with still pictures stating what number the mistake is. Very disappointing. I was looking for a video and recieved more of a slide show.',
'overall': 1.0,
'summary': 'Not impressed',
'unixReviewTime': 1356566400,
'reviewTime': '12 27, 2012'},
{'reviewerID': 'A2CNOG1E980624',
'asin': 'B000GQQ60Q',
'reviewerName': 'K. Miller',
'helpful': [2, 2],
'reviewText': 'Jumps quickly from subject to subject with little explanation on how to solve a problem, just describes what you should have done to prevent it.Visuals do not accompany the situation in many instances, e.g. man over board does not show anything, you just watch the commentator talk about it.However, I learned a few things.',
'overall': 3.0,
'summary': '100 Sailing Mistakes',
'unixReviewTime': 1274054400,
'reviewTime': '05 17, 2010'},
{'reviewerID': 'A3HLUG537VM0IB',
'asin': 'B000GQQ60Q',
'reviewerName': 'reviewnstuff',
'helpful': [1, 1],
'reviewText': 'There were a few tidbits of information (which is why I gave it 2 stars instead of just 1), but the overall quality of the video is pretty bad. It advertises 100 mistakes, but I think 20 of them were on a failure to have a paper chart. Also, as the previous commenter stated, many of the examples do not provide a corresponding video and you are simply listening to the commentator discuss it. Perhaps the most annoying is that the editing was horrible. It jumps all over, and half way through it appears the video is wrapped up with credits displayed. If you watch past the credits, you will find there is another 25 minutes of content lol. Real amateur video.',
'overall': 2.0,
'summary': 'Eh...',
'unixReviewTime': 1335052800,
'reviewTime': '04 22, 2012'},
{'reviewerID': 'AQNPK1Q7HIAP3',
'asin': 'B000GQSP5A',
'reviewerName': 'josh',
'helpful': [0, 0],
'reviewText': "This is just clips from pre-released instruction videos. I wasn't impressed and would rather seek out the original footage from each of these drummers.",
'overall': 3.0,
'summary': 'its okay',
'unixReviewTime': 1373328000,
'reviewTime': '07 9, 2013'},
{'reviewerID': 'A31EECKLBUOCUW',
'asin': 'B000GQUDAU',
'reviewerName': 'Russell Kaye',
'helpful': [0, 0],
'reviewText': 'Gave it one more star than it deserves. The video quality is awful. Hope I can get my money back.Amazon did refund my money without any problem. I hope they can get a better copy of this video.',
'overall': 1.0,
'summary': 'Terrible video quality',
'unixReviewTime': 1378339200,
'reviewTime': '09 5, 2013'},
{'reviewerID': 'AN3NN9PW3AWUU',
'asin': 'B000GQVD8Q',
'reviewerName': 'J. Amelia',
'helpful': [1, 1],
'reviewText': 'As this is the only place this movie can be purchased, the method of sales must accompany the review.I cannot view this movie, although I have paid for it. This "unbox" system has been completely useless for me, and I cannot get the movie, although it is paid for.I truly wish it was made available in another format, as the help to get it has been worthless as well.In short, make sure to try out this system of amazon\'s before buying the movie.There is no help desk, no assistance, and no movie, for me at least.',
'overall': 1.0,
'summary': 'One day I will be able to see this movie',
'unixReviewTime': 1308441600,
'reviewTime': '06 19, 2011'},
{'reviewerID': 'A2LSY0Z9EIO692',
'asin': 'B000GQZVPM',
'reviewerName': 'Lucian A Hayes',
'helpful': [0, 0],
'reviewText': '...this video is amazing. the locations and videography is great. the idea behind it really shows with the director and editor. a total collectors must have.',
'overall': 5.0,
'summary': 'AMAZING!',
'unixReviewTime': 1315526400,
'reviewTime': '09 9, 2011'},
{'reviewerID': 'A1QL8RGTE9Z713',
'asin': 'B000GR00DY',
'reviewerName': 'AMC "AM"',
'helpful': [0, 0],
'reviewText': "Rent it... don't buy it.No too bad, no too good. Just rent it.It's just 20 min long after his presentation",
'overall': 2.0,
'summary': "Rent it... don't buy it",
'unixReviewTime': 1348617600,
'reviewTime': '09 26, 2012'},
{'reviewerID': 'A386M1CMLXPPR8',
'asin': 'B000GR6LBY',
'reviewerName': 'Benjamin C. Bernard',
'helpful': [2, 2],
'reviewText': "My original review mentioned the missing episodes on Amazon Unbox, which was extremely confusing and off-putting since I did a 'one-click' season buy. Now they have added those episodes back in (and increased the price) so my major objection is over.On the merit of the series itself, this is quite a steal. This has to be one of the all-time best Anime series, especially for those who like a darker, edgier anime. This is pure young character drama here, at its best. There are mecha in this series (well, one), but it plays an extremely minor role and mecha fans should not get this series on that alone (get it because it's awesome!). I really can't recommend this story enough.If Amazon would let me change my star rating, I would. (originally rated at 1-star for missing episodes). I would give it a 3 star (5 for story, but its only available on Unbox dubbed, no subtitled version).Let me restate that. This is the dubbed version of the anime, not the subtitled version. Subtitled fans should get the DVDs",
'overall': 1.0,
'summary': 'Great Series but watch out for dub',
'unixReviewTime': 1157673600,
'reviewTime': '09 8, 2006'},
{'reviewerID': 'A3QDMFJR92YGZJ',
'asin': 'B000GT5EQU',
'reviewerName': 'D. Betancourt "dbet"',
'helpful': [0, 3],
'reviewText': 'Very precise and informative. Good collection of exercises for youth players. Skills players at all levels need to master to be an effective teammate.',
'overall': 4.0,
'summary': 'Detailed Instruction',
'unixReviewTime': 1295222400,
'reviewTime': '01 17, 2011'},
{'reviewerID': 'A2V0R35XFIJUGV',
'asin': 'B000GT5X2U',
'reviewerName': 'Shannon Smith',
'helpful': [0, 1],
'reviewText': 'While Road Fools 12 is an amazing video, I am disappointed that I was not warned prior to my purchasing this product that it was an "e-movie" or whatever it\'s called. I never would have bought it had I realized that it was not available in DVD format. I don\'t like the idea of sitting at the computer watching this entire video, and none of the devices I own are included in Amazon\'s list of compatible devices that will allow me to watch this on my TV. Furthermore, there is a "no refund" policy on these "e-movies," so I am stuck with this $15 video that I have yet to, and probably never will, watch in its entirety. This is the first negative experience I have had with Amazon and I hope they will either change their refund policies or add a warning to these kinds of videos in the future.',
'overall': 2.0,
'summary': 'Disappointed',
'unixReviewTime': 1335225600,
'reviewTime': '04 24, 2012'},
{'reviewerID': 'A2PWB7XW3MI66U',
'asin': 'B000GUTWLW',
'reviewerName': 'Mike Indiana "Mike"',
'helpful': [0, 0],
'reviewText': "This is a great movie collection watched it when I was a young kid and its as good now as it was back then. I rate it 5 stars and if you or your kids haven't watched get a copy and enjoy. Great collector addition and happy to have it in our collection.",
'overall': 5.0,
'summary': 'Last of Mohicans 1, 2, and 3',
'unixReviewTime': 1397347200,
'reviewTime': '04 13, 2014'},
{'reviewerID': 'A26ILR5AA8TYCV',
'asin': 'B000GUTWLW',
'reviewerName': 'Polar 2[Eya-Andrea]',
'helpful': [0, 0],
'reviewText': 'January 23rd, 2014 12:27amI like the old movies because there are no foul, swearing language in !!!!I like how Good is the outcome over the bad guys in the long run even though some bad has happened to the innocent, they did come out on top!!!!! Since I have 3 different tribes in my ancestry, I Like to See how the Indians helped the New comers to this Land!!!!! But it really bothers me how so much was taken from them, by these new comers!!!!! I REALLY LIKED THIS PICTURE, BECAUSE THE GOOD CAME OUT ON TOP!!!! Polar2[Eya-Andrea]',
'overall': 5.0,
'summary': 'I Love The Old Movies',
'unixReviewTime': 1390435200,
'reviewTime': '01 23, 2014'},
{'reviewerID': 'AXB3UAIB8DHBM',
'asin': 'B000GUTWLW',
'reviewerName': 'Roger "bandman1967"',
'helpful': [0, 0],
'reviewText': 'Great series. Wish it had more episodes! There could have been a lot , more episodes. I wish more older shows were available.',
'overall': 5.0,
'summary': 'Great',
'unixReviewTime': 1384214400,
'reviewTime': '11 12, 2013'},
{'reviewerID': 'A34ROH8NGAIZT7',
'asin': 'B000GUTWLW',
'reviewerName': 'Sharon Rast "SimplySharon"',
'helpful': [0, 0],
'reviewText': "These are really good stories but the only one on Instant Video. It's a 5 volume series. Worth watching ifyou like frontier stories.",
'overall': 4.0,
'summary': 'SHORT 30 MINUTE EPISODES',
'unixReviewTime': 1391040000,
'reviewTime': '01 30, 2014'},
{'reviewerID': 'A3CGEKPKOO35B3',
'asin': 'B000GX85L2',
'reviewerName': 'Graceful Raven "Ben"',
'helpful': [3, 3],
'reviewText': "Although I got this Video a long time ago, I didn't understand it at first, but a year or two later, I've got it! John Patrick just knows what to do on the Table, and knows how to teach it. Since I've been playing Roulette for a while now, I've decided to watch this again and understand him more now. I believe I can start making a few more chips using these tips...",
'overall': 4.0,
'summary': 'For the Adavanced Player',
'unixReviewTime': 1286841600,
'reviewTime': '10 12, 2010'},
{'reviewerID': 'A3VIOM57XRVVVG',
'asin': 'B000GXDJH2',
'reviewerName': 'Dwon',
'helpful': [0, 0],
'reviewText': "This isn't a bad video. The guy doing the work obviously knows what he's doing. I've poured concrete professionally for 15 years and I thought it would be interesting to watch someone else's technique. I feel that a sidewalk could be a do-it-yourself type of job, IF you have the motivation. but if you plan on pouring a 16 x 22' drive way (especially in the summer) you MUST have someone helping you who knows about concrete. the air temperature, humidity, slump and wind all have a strong bearing on how the concrete will dry. Ready mix yards may suggest a retarder for adverse drying conditions but you really do need to know what you are doing. The timing of when to start finishing the concrete is never the same twice, so maybe the 10 min. limit he suggested is ok or maybe not. If you fresno the surface before it's ready and the bleed water can come up you will seal it and this can result in blistering, peeling and dusting of the surface which will greatly reduce the life of your concrete. I would suggest reading the ACI (ASCC1). You only get 1 shot to do it right and concrete is hard within 90 minutes of leaving the mix plant so be careful.",
'overall': 3.0,
'summary': 'Good luck!',
'unixReviewTime': 1365465600,
'reviewTime': '04 9, 2013'},
{'reviewerID': 'A2FDL4R6QAMHD5',
'asin': 'B000GXDJH2',
'reviewerName': 'S Anderson',
'helpful': [0, 0],
'reviewText': "Simple format and good content, though he could have mentioned something about the pool trowel being used by what appears to be a helper/finisher in the background of one of the driveway scenes. Use a pool trowel on an extension handle after the fresno and before the steel trowel. It's not necessary but is helpful in most situations. He does a good job explaining the process and kept the video time short.",
'overall': 4.0,
'summary': 'secrets',
'unixReviewTime': 1391385600,
'reviewTime': '02 3, 2014'},
{'reviewerID': 'AX1BVPQP3M612',
'asin': 'B000GZ9HYO',
'reviewerName': 'Kevin Septor',
'helpful': [0, 0],
'reviewText': "It's over inMountain Bike Repair.Basically the video is light on content and bicyle repair isn't a one-shot thing, so you'd be better served by the DVD or a book.",
'overall': 1.0,
'summary': 'See my review of the non-rental version before renting!',
'unixReviewTime': 1176076800,
'reviewTime': '04 9, 2007'},
{'reviewerID': 'A1QXXXB6N54UOP',
'asin': 'B000GZ9ICU',
'reviewerName': 'Rick N. Backer',
'helpful': [0, 0],
'reviewText': "What can you say, Pat Miletich, great fighter and legendary MMA coach. If you have a lot of Muay Thai experience, these will probably be too basic for you. Even still - it's really good to go back and review the fundamentals from another coaches perspective - and there are few better than Pat.",
'overall': 5.0,
'summary': 'Great Fundamental Combinations',
'unixReviewTime': 1359244800,
'reviewTime': '01 27, 2013'},
{'reviewerID': 'ALRS5KKIT5D2',
'asin': 'B000GZAIJM',
'reviewerName': 'Amy C.',
'helpful': [0, 0],
'reviewText': "Great quality video. I'm not one for practical jokers, but I had to get this because of Hugh Jackman.",
'overall': 5.0,
'summary': 'Love the Hugh segment',
'unixReviewTime': 1405296000,
'reviewTime': '07 14, 2014'},
{'reviewerID': 'A3KVJ2MNUISU6A',
'asin': 'B000GZYQHC',
'reviewerName': 'Francis Christopher Hall "street beater"',
'helpful': [0, 0],
'reviewText': "I'll watch any of the '40s serials but this one is special in that a woman was cast as "The Black Whip." The serials usually had a strong woman as a supporting character but Claire Sterling made movie history in this one. Wish I could have watched the other 11 episodes.",
'overall': 5.0,
'summary': 'Great fun to watch',
'unixReviewTime': 1361836800,
'reviewTime': '02 26, 2013'},
{'reviewerID': 'A35CBVTM1J0FCX',
'asin': 'B000GZYQHC',
'reviewerName': 'J. Hargrove "The Other Jim Hargrove"',
'helpful': [0, 0],
'reviewText': 'Old B&W TV version of Zorro without Zeta-Jones to make it worth seeing. Only good as a trip in time.',
'overall': 2.0,
'summary': 'I miss the real Zorro',
'unixReviewTime': 1383868800,
'reviewTime': '11 8, 2013'},
{'reviewerID': 'A1L7QKQN1AK4LS',
'asin': 'B000GZYQHC',
'reviewerName': 'Jim Spivey',
'helpful': [0, 0],
'reviewText': "It is a good show I wish there were more of serial? My dad would have gone to the movies to see them all, it is written very well, all of what a western is to be,Thank you Amazon for putting it on prime, I will try to find the rest of the serial of Zorro's Black whip.",
'overall': 5.0,
'summary': 'The women Zorro!',
'unixReviewTime': 1402358400,
'reviewTime': '06 10, 2014'},
{'reviewerID': 'A1NZLRAZJGD99W',
'asin': 'B000GZYQHC',
'reviewerName': 'Kimo',
'helpful': [0, 0],
'reviewText': "This is a decent episode of a longer serial movie but the other episodes are missing. Don't waste your time viewing only one episode of many.",
'overall': 2.0,
'summary': 'Cliff Hanger?',
'unixReviewTime': 1367452800,
'reviewTime': '05 2, 2013'},
{'reviewerID': 'A19RJTZA5Q6ZAT',
'asin': 'B000GZYQHC',
'reviewerName': 'michael p george',
'helpful': [1, 1],
'reviewText': 'This Is a very good serial , one of the very best of all that I have seen.I would recommend it',
'overall': 5.0,
'summary': 'Great serial',
'unixReviewTime': 1383091200,
'reviewTime': '10 30, 2013'},
{'reviewerID': 'AQX3FIH68X4B5',
'asin': 'B000GZYQHC',
'reviewerName': 'nObama NoMore "Just a working stiff"',
'helpful': [1, 1],
'reviewText': 'The RELEASE date is misleading. This is part one of a 1944 black & white serial. Not a bad one either, but the color image and release date of 2008 is very misleading. The only hint is the 24 minute length.',
'overall': 3.0,
'summary': '1944 B&W serial not 2008',
'unixReviewTime': 1361145600,
'reviewTime': '02 18, 2013'},
{'reviewerID': 'A16SMR9TKDH8F',
'asin': 'B000GZYQHC',
'reviewerName': 'Richard Leblanc',
'helpful': [0, 0],
'reviewText': "Corny movie serial of the 40s don't waste you're time watching it, quality of film is terrible not worth it Amazon should remove it from its library",
'overall': 1.0,
'summary': "Corny movie serial of the 40s don't waste you're time watching it",
'unixReviewTime': 1404864000,
'reviewTime': '07 9, 2014'},
{'reviewerID': 'A1D696068E7EOU',
'asin': 'B000GZYQHC',
'reviewerName': 'Rw Scolari "navy689"',
'helpful': [0, 0],
'reviewText': 'This looked like a 40s serial with the episodes stitched together to make a movie. Dated acting; by todays standard the effects were poor.',
'overall': 2.0,
'summary': 'Old Serial',
'unixReviewTime': 1376092800,
'reviewTime': '08 10, 2013'},
{'reviewerID': 'A3QX82LN709L8N',
'asin': 'B000H00VBQ',
'reviewerName': '#1 Shopper',
'helpful': [0, 0],
'reviewText': 'This volume got me addicted to the series. I love British mysteries but this is one of the best written most unpredictable ones I have ever seen. And a stellar cast.',
'overall': 5.0,
'summary': 'I Am A Huge Fan',
'unixReviewTime': 1319500800,
'reviewTime': '10 25, 2011'},
{'reviewerID': 'A11N155CW1UV02',
'asin': 'B000H00VBQ',
'reviewerName': 'AdrianaM',
'helpful': [0, 0],
'reviewText': "I had big expectations because I love English TV, in particular Investigative and detective stuff but this guy is really boring. It didn't appeal to me at all.",
'overall': 2.0,
'summary': 'A little bit boring for me',
'unixReviewTime': 1399075200,
'reviewTime': '05 3, 2014'},
{'reviewerID': 'A1YDM2HKG8IU9Q',
'asin': 'B000H00VBQ',
'reviewerName': 'Amazon Customer "glc"',
'helpful': [0, 3],
'reviewText': 'This show is not for the mainstream population. It is also the type of program that would receive a strong R rating and would not be shown on American TV in its current form.',
'overall': 1.0,
'summary': 'Not for the mainstream population',
'unixReviewTime': 1378512000,
'reviewTime': '09 7, 2013'},
{'reviewerID': 'A2CDKNGJ2W0PBX',
'asin': 'B000H00VBQ',
'reviewerName': 'Ann Ueda',
'helpful': [0, 0],
'reviewText': 'I have been a fan of this show since Season One, and Season Five continues the general excellence of the show. The acting is quite solid, and I am glad to see the show has been able to retain two of the show\'s secondary characters; while playing back-up and fill-in roles to the two main actors, they add to the overall excellence. The episodes for Season Five are all quite well written, with some interesting plot twists and red herrings for those who are trying to figure out "who done it." For American fans, it is interesting to see how the "Amber Alert" system is set up in Bradfield, the location for the series, in "The Color of Amber"; I did find the writing in this one episode to be at times a bit too convoluted with a few too many side stories going on. Americans will also be interested in seeing the significant differences in policing and the widespread use of closeed-circuit TV cameras in public places that oftentimes provides crucial evidence or clues. My only complaint is that there are only a few episodes released each season (although they are nearly 90 minutes long a piece). We want more Wire in the Blood!',
'overall': 5.0,
'summary': 'Another excellent season!',
'unixReviewTime': 1222041600,
'reviewTime': '09 22, 2008'},
{'reviewerID': 'A3BXVPGLTDSTL5',
'asin': 'B000H00VBQ',
'reviewerName': 'B. Dillon',
'helpful': [0, 0],
'reviewText': "Superb series, excellent writing, acting. Robson Green as Tony Hill is mesmerizing to watch him; he is sublime in the character of clinical psychologist. The entire cast is excellent, each character is fleshed out to perfection. Alert: These series are not for the faint of heart, they are gory, disturbing and I don't quite think here in America we have a show quite as visually shocking, including CSI, etc. (Except for cable.) NOTE: However, due to the various accents, it would be helpful if subtitles were available, please!",
'overall': 5.0,
'summary': 'Seasons 1-4',
'unixReviewTime': 1332806400,
'reviewTime': '03 27, 2012'},
{'reviewerID': 'AQ8S93FPG3BCC',
'asin': 'B000H00VBQ',
'reviewerName': 'Beach Mamma',
'helpful': [0, 0],
'reviewText': "My Brit friends turned me on to this series. Really good. Why didn't they keep making more seasons!? Need to do a US version!",
'overall': 5.0,
'summary': 'Awesomely Creepy!',
'unixReviewTime': 1388534400,
'reviewTime': '01 1, 2014'},
{'reviewerID': 'AT4LBBIHPKPXJ',
'asin': 'B000H00VBQ',
'reviewerName': 'BW',
'helpful': [0, 3],
'reviewText': "Creepy, violent, sadomasochistic. I only watched the first episode, so maybe it improves with more story, less violence, but I don't want to watch more just to find out. Plus, the Robson character is annoying!",
'overall': 1.0,
'summary': 'Creepy, violent',
'unixReviewTime': 1364083200,
'reviewTime': '03 24, 2013'},
{'reviewerID': 'A3BC8O2KCL29V2',
'asin': 'B000H00VBQ',
'reviewerName': 'Carol T',
'helpful': [0, 0],
'reviewText': 'I highly recommend this series. It is a must for anyone who is yearning to watch "grown up" television. Complex characters and plots to keep one totally involved. Thank you Amazin Prime.',
'overall': 5.0,
'summary': 'Excellent Grown Up TV',
'unixReviewTime': 1346630400,
'reviewTime': '09 3, 2012'},
{'reviewerID': 'A1YY0B9BBYSGI7',
'asin': 'B000H00VBQ',
'reviewerName': 'Ceridwen "VR"',
'helpful': [7, 8],
'reviewText': "This is a wonderful show, but at $45 dollars for just four 86 minute episodes you have to ask yourself shouldn't I rent it from netflix?Yes that's right four disks with one episode each. They probebly could have gotten on to two, but then it would have been more obvious what alot of money it costs.",
'overall': 3.0,
'summary': 'Lovely but overpriced.',
'unixReviewTime': 1215648000,
'reviewTime': '07 10, 2008'},
{'reviewerID': 'A60D5HQFOTSOM',
'asin': 'B000H00VBQ',
'reviewerName': 'Daniel Cooper "dancoopermedia"',
'helpful': [0, 1],
'reviewText': "This one is a real snoozer. Don't believe anything you read or hear, it's awful. I had no idea what the title means. Neither will you.",
'overall': 1.0,
'summary': 'Way too boring for me',
'unixReviewTime': 1381881600,
'reviewTime': '10 16, 2013'},
{'reviewerID': 'A3KI8VUL7M8406',
'asin': 'B000H00VBQ',
'reviewerName': 'Danielle Stewart',
'helpful': [0, 0],
'reviewText': "The Brits have managed to make an excellent murder mystery show yet again. One thing I enjoyed was that throughout the series, the characters become more developed while still maintaining the primary reason for the show - murder mysteries. It didn't get bogged down in the menial drama that most crime shows get stuck in, but it maintained the human element in a smart way. The sexual tension between the main characters is not overly dramatized and doesn't get into gratuitous scenes.Great show. Great cast. Would recommend to anyone.",
'overall': 5.0,
'summary': 'Wonderful Murder Mystery',
'unixReviewTime': 1390867200,
'reviewTime': '01 28, 2014'},
{'reviewerID': 'A3O516U8OVPRX',
'asin': 'B000H00VBQ',
'reviewerName': 'E. Johnson',
'helpful': [0, 0],
'reviewText': "Thank heavens I bought just the 1st part of the first episode. Why, why, why, why don't they subtitle these programs? I think they would sell many more sets if they were subtitled for the American consumer. I know the company that did these cancelled the show because of budget problems. Perhaps if they had spent a little more on subtitling ????? Even with earphones, I could not make out 90% of the dialogue.",
'overall': 2.0,
'summary': 'Subtitles',
'unixReviewTime': 1389830400,
'reviewTime': '01 16, 2014'},
{'reviewerID': 'ARS0QZW7YUK43',
'asin': 'B000H00VBQ',
'reviewerName': 'Hunter400 "hunter400"',
'helpful': [0, 1],
'reviewText': "I love this show. I think this ranks right up there with Prime Suspect. The show is engaging and well acted.I agree with other reviews the price for this is ridiculous! Over a year ago I got a region free player from Amazon. In spite of the horrible exchange rate at the moment,it is still cheaper for me to order most British dvd's from Amazon UK. As for the player, it as more then paid for it's self.",
'overall': 5.0,
'summary': 'Great British Drama',
'unixReviewTime': 1219363200,
'reviewTime': '08 22, 2008'},
{'reviewerID': 'A1SKJIW7QTNUOT',
'asin': 'B000H00VBQ',
'reviewerName': 'jane',
'helpful': [0, 1],
'reviewText': 'I like the storyline. I am ready for him to make a romantic move. I hope to see more of him in the future.',
'overall': 5.0,
'summary': 'Very Good',
'unixReviewTime': 1367366400,
'reviewTime': '05 1, 2013'},
{'reviewerID': 'AORAATF4V5GZ3',
'asin': 'B000H00VBQ',
'reviewerName': 'JF Rodriguez',
'helpful': [10, 10],
'reviewText': "This is not a review for season five only but also for all four previous seasons as well as season six currently being shown on British television.The show tells the story of a crime detective unit based in a fictional city in northern England. Together with the help of a brilliant but dysfunctional clinical psychologist (played to perfection by Robson Green), they try to solve the most grisly and disturbing murder cases.Each episode lasts 90 minutes so this gives more room for character and story development. It's also more brutal, intense and violent than most television shows so not for the squeamish.This is state of the art finely crafted crime drama featuring strong scripts and three dimensional characters you really care for. The acting by all involved is truly superb and the writing is top notch. It's riveting, captivating, engrossing, gripping and powerful stuff with enough twists and turns to keep you guessing right until the last minute. This will have you glued on your sofa and make you shiver. Turn off the lights, sit comfortably and enjoy!",
'overall': 5.0,
'summary': 'Finely Crafted Crime Drama',
'unixReviewTime': 1215648000,
'reviewTime': '07 10, 2008'},
{'reviewerID': 'A1RJPIGRSNX4PW',
'asin': 'B000H00VBQ',
'reviewerName': 'J. Kaplan "JJ"',
'helpful': [0, 0],
'reviewText': 'Mysteries are interesting. The tension between Robson and the tall blond is good but not always believable. She often seemed uncomfortable.',
'overall': 4.0,
'summary': 'Robson Green is mesmerizing',
'unixReviewTime': 1383091200,
'reviewTime': '10 30, 2013'},
{'reviewerID': 'A2A7NHE5HTK79N',
'asin': 'B000H00VBQ',
'reviewerName': 'J. Lovins "Mr. Jim"',
'helpful': [2, 4],
'reviewText': 'Koch Vision presents "WIRE IN THE BLOOD: COMPLETE FIFTH SEASON" (Released: July & August 2007) (345 mins/Color) (Dolby Digital) --- Wire In The Blood is an ITV television series, based on characters created by Val McDermid, which teams a university clinical psychologist, Dr. Anthony "Tony" Valentine Hill (Robson Green), with a tough female Detective Inspector, originally Carol Jordan (Hermione Norris) but replaced by Detective Inspector Alex Fielding (Simone Lahbib) from series four onwards.Only the first two episodes of the first series, "Mermaids Singing" and "Shadows Rising", are based on McDermid\'s books, the rest having been written by others. However, the second episode of series four, "Torment", is an adaptation of McDermid\'s novel "The Torment of Others" --- The series has appeared in America on the cable channel BBC America, in Australia on the public channel ABC, in France on NT1, in Germany on ZDF, in Brazil on HBO and in South-East Asia on the cable channel the Hallmark Channel -- (From Wikipedia, the free encyclopedia)Under the production staff of:Peter Hoar - DirectorPaul Whitington - DirectorRichard Standeven - DirectorPhil Leach - ProducerSandra Jobling - Executive ProducerAlan Whiting - ScreenwriterNiall Leonard - ScreenwriterTITLE & ORIGINAL DATE AIRED:DISC ONE:"THE COLOUR OF AMBER" (11 July 2007)Dr Tony Hill (Robson Green) and DI Alex Fielding (Simone Lahbib) are in a race against time when a young girl is seen being snatched by a man in a car.DISC TWO:"NOCEBO" (18 July 2007)A teenage girl and a young boy are found dead and they appear to have been victims of a ritual killing. Alex (Simone Lahbib) is upset by the lack of care shown by their bereaved families as she\'s having problems of her own with her son Ben.DISC THREE:"THE NAMES OF ANGELS" (25 July 2007)Tony is faced with a series of deadly puzzles when a killer rapes and strangles young female victims in Bradfield. He chooses to dress and identify them as young women he killed several years before in Europe.DISC FOUR:"ANYTHING YOU CAN DO" (1 August 2007)The murder of an elderly woman, suffocated in her own home, seems too deliberately staged to be an accident or robbery.the cast includes:Robson Green ... Dr. Tony HillSimone Lahbib ... DI Alex FieldingMark Letheren ... DS Kevin GeoffriesMark Penfold ... Dr. Ashley VernonEmma Handy ... DC Paula McIntyreBIOS:1. Robson GreenDate of Birth: 18 December 1964 - Hexham, Northumberland, England, UKDate of Death: Still Living2. Simone LahbibDate of Birth: 6 February 1965 - Stirling, Scotland, UKDate of Death: Still LivingGreat job by Koch Vision --- looking forward to more high quality titles from the BBC Collection film market --- order your copy now from Amazon or Koch Vision where there are plenty of copies available on DVD, stay tuned once again for top notch releases --- where they are experts in releasing long forgotten films and treasures to the collector.Total Time: 345 mins on DVD ~ Koch Vision KOC-6539 ~ (7/08/2008)',
'overall': 5.0,
'summary': '"Wire in the Blood ... Complete Fifth Season (2007) ... Koch Vision (2008)"',
'unixReviewTime': 1218067200,
'reviewTime': '08 7, 2008'},
{'reviewerID': 'AC23DQ8YMKP2P',
'asin': 'B000H00VBQ',
'reviewerName': 'Kate from Portland "Portland Kate"',
'helpful': [0, 0],
'reviewText': "Robson Green does a wonderful job in this series. I also enjoy the two women police detectives he works with in the 6 seasons. The writing is excellent, the characters aren't perfect, doing their best, questioning themselves. Tony is generally brilliant, but vulnerable and definitely strange. The stories are fast paced with a sense of urgency. Great Great series",
'overall': 5.0,
'summary': 'Love this series, Love the Tony Character',
'unixReviewTime': 1397088000,
'reviewTime': '04 10, 2014'},
{'reviewerID': 'A3PWZE8745TEGK',
'asin': 'B000H00VBQ',
'reviewerName': 'Kenneth Hoglund',
'helpful': [0, 0],
'reviewText': 'The Brits do it again- here is the weird hero with the weird way of doing things dealing with some strange and disquieting situations, and you love.There are some parts not suited for the kids or the squemish, but well worth the investment',
'overall': 5.0,
'summary': 'A great show',
'unixReviewTime': 1362355200,
'reviewTime': '03 4, 2013'},
{'reviewerID': 'A2QH73AIY12S7S',
'asin': 'B000H00VBQ',
'reviewerName': 'Laura Gorton',
'helpful': [0, 0],
'reviewText': "I am addicted to Wire in the Blood. So I am always excited whenever I order one. I can't wait untill it gets here. Amazon is the best!!",
'overall': 5.0,
'summary': 'Wonderful as always.',
'unixReviewTime': 1381795200,
'reviewTime': '10 15, 2013'},
{'reviewerID': 'A1KB8LSQX9PBZY',
'asin': 'B000H00VBQ',
'reviewerName': 'Linda S Gambill',
'helpful': [0, 0],
'reviewText': 'I like the show but would not have purchased if I had known that it had no captioning available with it.',
'overall': 4.0,
'summary': 'no captioning??',
'unixReviewTime': 1390694400,
'reviewTime': '01 26, 2014'},
{'reviewerID': 'AAUQQJHRKDTAK',
'asin': 'B000H00VBQ',
'reviewerName': 'Lisa Watson',
'helpful': [1, 1],
'reviewText': 'Wire in the Blood is back in full force with an excellent season - great stories, well told & full of intrigue. The extras on Disc 1 are also worth watching as they provide some interesting insights into the entire series.',
'overall': 5.0,
'summary': 'Another Winner for WITB Fans',
'unixReviewTime': 1226361600,
'reviewTime': '11 11, 2008'},
{'reviewerID': 'A3D1LQCUWN12LD',
'asin': 'B000H00VBQ',
'reviewerName': 'Literally Literate "Jc"',
'helpful': [2, 2],
'reviewText': "Robson embellishes any movie he is in, regardless of the quality of the rest of it. I love having him to myself in TOUCHING EVIL, and WIRE IN THE BLOOD series. As another reviewer stated, he has perfected the role, ([bleeding heart psychiatrist]), who seems less afraid, but rather enchanted, with the illnesses of his patients. He empathizes with how they got the way they are instead of despising them for how they evolved from their molding circumstances. Without condescention, he faces the bad (the killer), and the good (the police and innocent victims), without judging either. That could make him appear apathetic, or stoic, but doesn't because of the way he has a grip on the role he plays (compassionate!). I have all of the captioned above and hope the rumors aren't true that this is the last of WIRE....But if it is, I'll be looking forward to whatever he does next!",
'overall': 5.0,
'summary': 'Robson Green FAN-atic',
'unixReviewTime': 1258675200,
'reviewTime': '11 20, 2009'},
{'reviewerID': 'A1AC88NQ5DCQ6R',
'asin': 'B000H00VBQ',
'reviewerName': 'Magdalena "mystery cravings"',
'helpful': [0, 0],
'reviewText': "All four episodes on this series are very different yet connected by the invisible thread of the two main character's vulnerable relationship. Their relationship crosses from the strictly professional to the personal-not as a couple-but as two human beings with personal issues who can't help but to yield to our need to connect to those closer to us. The episodes are gripping, any case involving children are nerve wrecking and potentially heart breaking, the third episode has an unexpected end and the last one is frightening for it's possibilities, so all the episodes are very intense. Tony's knowledge of human nature is fascinating-rarely found such remarkable writing. Beautifully shot. Love the Smart Board and Kevin and Paula's very casual attire.",
'overall': 5.0,
'summary': "It get's better",
'unixReviewTime': 1268870400,
'reviewTime': '03 18, 2010'},
{'reviewerID': 'A25FOBBC5DIF8L',
'asin': 'B000H00VBQ',
'reviewerName': 'Margue L. Hunt "MargueHF"',
'helpful': [0, 0],
'reviewText': 'The complex thrillers that Val McDermid writes must be very difficult to transfer to the screen, but they have done well. Robson Green IS Dr. Tony Hill and the pure evil of those he chases is reflected just enough to indicate the level of disturbance represented in the books. Must see for mystery and psychological thriller fans.',
'overall': 5.0,
'summary': "Val McDermid's Great Tony Hill",
'unixReviewTime': 1353974400,
'reviewTime': '11 27, 2012'},
{'reviewerID': 'A1KRK92YBAGZ22',
'asin': 'B000H00VBQ',
'reviewerName': 'M. Bailey "Quotizmo"',
'helpful': [0, 0],
'reviewText': "Great show. First episode pulled me right in. Can't watch episode two even though I paid for it. They might have mentioned that it wasn't available for the iPad before selling it to me on my iPad.",
'overall': 5.0,
'summary': "Don't buy for tablet devices",
'unixReviewTime': 1347667200,
'reviewTime': '09 15, 2012'},
{'reviewerID': 'A16XRPF40679KG',
'asin': 'B000H00VBQ',
'reviewerName': 'Michael Dobey',
'helpful': [1, 1],
'reviewText': 'This show always is excellent, as far as british crime or mystery showsgoes this is one of the best ever made. The stories are well done and the acting is top notch with interesting twists in the realistic and brutal storylines. This show pulls no punches as it enters into the twisted minds of criminals and the profiler psychiatrist who helps out in a northern english city police force. The show looks like it is shot in Manchester but it is called by another name in the show. One episode is not on this disc the excellent \'prayer of the bone" which is on a seperate disc. Still crime shows don\'t get much better than this one on either side of the ocean. It\'s just a great show that never has had a less than well made episode. Unfortunately like all British shows you only get about five shows a year , but these are an hour and a half shows , still one could hope for at least 8 of these a year. The realism and depth of the main character Tony Hill as protrayed by the excellent Robson Green is well worth viewing because he just makes this role truly part of himself in everyway. I bet he went to crime scenes even in real life to research his role. But the writers too must be applauded for their way above average stories. Lets hope this show continues on for many years to come.',
'overall': 5.0,
'summary': 'Robson green and great writing',
'unixReviewTime': 1234310400,
'reviewTime': '02 11, 2009'},
{'reviewerID': 'A1CIZ90FFOZTLM',
'asin': 'B000H00VBQ',
'reviewerName': 'phantomfan',
'helpful': [3, 3],
'reviewText': 'I\'ve been a sort of halfhearted fan of this series since season one, but season five finally won me over completely. The stories are especially compelling and original this time, and less "demented" (despite the quote on the box!) than previous seasons. Each episode is written, produced, and directed in an entirely different style, e.g., the first one is fast-paced, with the camera never alighting for more than a few seconds, while the second one is very grainy, jumpy, and almost completely colorless; the last episode is a bit over saturated with color, giving it a sort of surreal look. This is somewhat daring, but it works extremely well.Another strength of this season is the character of Alex. I really liked Carol, but Alex is at least as compelling, if not more so. Also Kevin and Paula, as the "minor" characters, are superbly well written and well acted.And then there\'s Tony, who is my "small exception." He\'s as charming and likeable as ever, if not more so, and seems to have become a bit more compassionate and considerate of other people. (I was thoroughly charmed by the popcorn-with-Ben scene!) But a little of his eccentricity is gone. We don\'t really see just how much of a complete oddball he is. However, they more than made up for it in "Prayer of the Bone" so I can\'t really even call it a flaw.If you like a truly suspenseful, intelligent, multi-layered drama, but previous episodes have left you uncertain about watching this series, give season five a try.',
'overall': 5.0,
'summary': 'The best season yet, with one small exception',
'unixReviewTime': 1219363200,
'reviewTime': '08 22, 2008'},
{'reviewerID': 'A1W45HIJSPH62I',
'asin': 'B000H00VBQ',
'reviewerName': 'Philip J. Herman',
'helpful': [0, 0],
'reviewText': "read the other review for a good overview of the series. I just want to add a few things. I am a fan of Sherlock Holmes and I watched all of the American CSI programs and House. I recently watched all the Inspector Lewis series and a few other Masterpiece Mysteries. I enjoy this show more than all of them. Maybe it's the chemistry between Tony and Carol, I don't know. I feel sublime when I am watching them. I even grew to love the theme music. I felt really sad at the end of the 23rd episode.",
'overall': 5.0,
'summary': 'excellent, disturbing, enthralling, habit-forming, fantastic',
'unixReviewTime': 1347926400,
'reviewTime': '09 18, 2012'},
{'reviewerID': 'A32MJWG4X2IF7M',
'asin': 'B000H00VBQ',
'reviewerName': 'P. Klusman',
'helpful': [0, 0],
'reviewText': 'This British crime drama is riveting. The star Robson Green appears in another BBC drama. He is an amazing actor and plays a psychiatrist who assists the police as a proviler. This series was truly excellent.',
'overall': 5.0,
'summary': 'Truly Wonderful Viewing',
'unixReviewTime': 1366588800,
'reviewTime': '04 22, 2013'},
{'reviewerID': 'AZT56GCNS5J9E',
'asin': 'B000H00VBQ',
'reviewerName': 'Ron West',
'helpful': [0, 0],
'reviewText': "It's difficult to avoid superlatives, here. Production values, acting, narrative, all add to the series's early development and to the growth of the ensemble characters, particularly Hermione Norris's (then) DI Carol Jordan and of course Robson Green's portrayal of Tony Hill. As with all of the series, though, all of the core characters gain some detail. The cinematography deserves some notice, as well, particularly as this DP, Dominic Clemence, avoids the hand-held excesses that crop up and intrude with some later DPs. The visual element, combination of scenic with close work, contribute a great deal to the specific story, but also add to a continued sense of mood and atmosphere. The care in production and editing doesn't jump into the foreground, as it shouldn't, but gives the action an excellent context. Ironically, one of the producers has commented repeatedly that they long to replicate the work of American crime drama, but this series is an excellent example of what the US could produce, but doesn't.",
'overall': 5.0,
'summary': 'Hard to over-rate',
'unixReviewTime': 1368057600,
'reviewTime': '05 9, 2013'},
{'reviewerID': 'A1FI1SGWR9ZZF2',
'asin': 'B000H00VBQ',
'reviewerName': 'Royali "Merlis"',
'helpful': [6, 7],
'reviewText': 'I really like this original and clever show. I have a question though - where is a first episode of the fifth season? It was shot in Texas and was about american soldier with PTSD. BBC site gives a full description of the Episode One: Prayer of the Bone . Why the season called full if one episode is missing? If anyone knows the answer I would be very interested to know.',
'overall': 5.0,
'summary': 'great show but one episode missing from 5th season',
'unixReviewTime': 1217635200,
'reviewTime': '08 2, 2008'},
{'reviewerID': 'A1LRMD2H7M0KHL',
'asin': 'B000H00VBQ',
'reviewerName': 'sadiayah "youngadults99"',
'helpful': [2, 2],
'reviewText': "I caught an episode of Wire in the Blood - Nocebo as a rerun on HBO. I am completely won over by this intricate crime drama. I would recommend this show to anyone tired and bored by the endless stream of mindless trival 'reality' shows to get into this program to challenge their mind and engage the active part of their brain. Cast was well chosen and act as though this is not a program but real crime drama. Not wooden but includes little pieces of their lives away from the crime scene. A must see program. Robson Green is a superb actor. Not too know it all but human to make mistakes and regret them. Excellent",
'overall': 5.0,
'summary': 'One of the best series made',
'unixReviewTime': 1233878400,
'reviewTime': '02 6, 2009'},
{'reviewerID': 'A3RNP5X8ZGZIEI',
'asin': 'B000H00VBQ',
'reviewerName': 'Stephanie De Pue',
'helpful': [1, 1],
'reviewText': '"Wire in the Blood, Season 5," is the latest installment of the British television mystery serial, based on the works of Val McDermid, to reach these shores. The series, a police procedural that stars Robson Green as psychologist Dr. Tony Hill, criminal profiler, is produced by Green\'s production company for the British Granada TV: he\'s one of their biggest domestic stars; and the series is surely tailored to his many strengths. It has been shown here on BBC America; but it is lacking the last episode of the series as shown here, which has been spun off as a standalone.In addition to Green, the series stars longtime regulars Mark Letheren as Detective Sergeant Kevin Geoffries, and Emma Handy as Detective Constable Paula McIntyre. Simone Lahbib continues her more recent duties as Detective Inspector Alex Fielding, Hill\'s foil, romantic and otherwise. This season, as most, is simply advertised as "based on characters created by" McDermid, and there is not a single episode based on one of her books. However, the episodes presented are of a fairly high quality, solid mysteries, with some of the well-known author\'s intensity; some of her edginess and grit, and her ability to break new ground. McDermid, of course, is a leading light of the British mystery writing school known as tartan noir: and what\'s that when it\'s at home, you may ask. Unusually bloody and violent, lightened, a bit, by that dark Scots humor. Written (duh!!) by a Scot, which McDermid is, Scots-born.At any rate, the series is set in McDermid\'s fictional "Bradfield," it is filmed in Manchester, the actual city in which she sets her work, after doing 16 years there as a journalist. Manchester\'s an interesting city to use: handsome and hardly ever seen here, full of interesting looking architecture, with a highly diverse population. Unfortunately, the cast has been encouraged to make use of the local accent and dialect, and there are no subtitles, a puzzling oversight considering Green\'s standing at Granada. It makes the series quite difficult to follow for us on these shores.1. "Colour of Amber." A white man appears to have kidnapped a young black girl on a busy street, in the morning rush hour. A strong complex mystery, dealing with interracial matters; focusing on children damaged by the adults in their lives.2. "Nocebo." A sadistic, ritualistic killer seems to be at work, targeting children. Another strong, intense episode, more daring in its treatment of blacks than an American tv program would ever be, giving us a really unflattering portrait of a black voodoo-oriented preacher, Dr.Kingston.3. "Names of Angels." A serial killer seems to be targeting attractive, blond young businesswomen. A clever, perhaps too clever, outing. Notable chiefly for the introduction of a character, clearly based on one of the ten-year olds who tortured and killed two-year old James Bulger in Liverpool in February 1993. "Christopher" has been a patient of Hill\'s while imprisoned for the crime, and, as he was so young when he committed it, he is being released as a young man. Hill is greatly concerned with his well-being.4. "Anything You Can Do." Yet another apparent serial killer at work, putting bags over the heads of his victims. Another clever one, but a good mystery that once again ventures where American TV will never go. Continues the sad arc of "Christopher," the released Liverpool child murderer.Green is, of course, a handsome man, and a good actor, and he gives us an intense, intelligent portrait of Dr. Hill. If only we could make out what he\'s saying.',
'overall': 4.0,
'summary': "If Only We Could Make Out What They're Saying",
'unixReviewTime': 1224720000,
'reviewTime': '10 23, 2008'},
{'reviewerID': 'A7M56KECD9G04',
'asin': 'B000H00VBQ',
'reviewerName': 'Susan Rhodes',
'helpful': [0, 0],
'reviewText': "I love the series! However, I was very disappointed that it isn't closed captioned. All of the other BBC televised series have been. I wish I hadn't purchased it.",
'overall': 4.0,
'summary': 'No Closed Captioning!',
'unixReviewTime': 1403136000,
'reviewTime': '06 19, 2014'},
{'reviewerID': 'A7WVEDUSDH3KO',
'asin': 'B000H00VBQ',
'reviewerName': 'Terence',
'helpful': [0, 0],
'reviewText': 'I think wire in the blood has been my top favorite in all the series shows that I have watch, coming close to a near tie with Downton Abbey which I adored. At first I thought the character was too fast for me to keep up but once I started watching more episodes, its like I just want to see more of this series I hope there is more to come.',
'overall': 5.0,
'summary': 'so far my all time favorite',
'unixReviewTime': 1394236800,
'reviewTime': '03 8, 2014'},
{'reviewerID': 'A2YGM7LBQYUQ3Y',
'asin': 'B000H00VBQ',
'reviewerName': 'trv215',
'helpful': [0, 0],
'reviewText': 'Awesome series! Robson Green never ceases to amaze me; he outdoes himself in Wire In The Blood - ALL of the complete seasons! Watch them all; not only the first.',
'overall': 5.0,
'summary': 'Robson is amazing!',
'unixReviewTime': 1363046400,
'reviewTime': '03 12, 2013'},
{'reviewerID': 'A1ON6MD535DQEI',
'asin': 'B000H00VBQ',
'reviewerName': 'WebScribe "webscribes"',
'helpful': [13, 13],
'reviewText': 'Just so you know!!!Episode One: Prayer of the Bone, was considered a "special" and is not included in the Season 5 Set. It is scheduled to be released as a separate DVD on August 5th 2008. Each episode is about 83 minutes in length. This is a quality series that seems to improve each year as the character delvelopment matures.~ ~ SEASON 5 EPISODES ~ ~Episode One: Prayer of the BoneIn the season premiere, Dr. Tony Hill (Robson Green) finds himself a fish out of water when he\'s invited to Texas as an expert witness in a case where an Iraq combat veteran has confessed to brutally slaughtering his wife and two young children. His defense team claims that he\'s suffering from Post-Traumatic Stress Disorder, but the prosecution asks Tony, who met with the soldier in the UK, to join them in disproving that claim. Alone in a strange country, surrounded by hostile lawyers and police, Tony finds himself at the center of a death penalty case with competing legal and political interests. He\'s insulted, threatened, framed, and physically attacked while the case takes a strange turn. Everyone seems to have a vested interest in the case - everyone except the suspect, who strangely seems determined to die.Episode Two: The Color of AmberWhen a woman sees a young girl being snatched by a man in a car, DI Alex Fielding (Simone Lahbib) fears they may only have hours to get her back alive. Since only one percent of the victims in abduction cases survive beyond a day, new ACC James Morrison (Christopher Colquhoun) reacts by calling an Amber alert, which floods the media with public pleas for information. He also pulls Tony in to help with profiling likely abductors.Episode Three: NoceboAlex investigates the murder of a teenage girl and a young boy, who bear signs of ritual killings. The trail leads to a property tycoon who\'ll stop at nothing to get the rent, a preacher whose healing activities involve animal sacrifice, and a self-styled artist whose works not only depict violence, but are painted in blood. Tony puzzles over what the killer might want to gain and why. Is this religion? And is it one killer or two, with one suspect the acolyte of another?Episode Four: The Names of AngelsTwo women are found raped and strangled, wearing the clothing of victims killed years earlier in Europe. Is the killer boasting to police about past crimes, leaving bodies where they can easily be found? And why is he choosing victims from the business world? As Tony tries to unravel the deadly puzzle, he\'s confronted by an unpleasant distraction - an 18-year-old released killer turns up on his doorstep.Episode Five: Anything You Can DoWhen a vulnerable elderly woman is suffocated in her home, Alex and Tony suspect Bernard Kelly (Ian Peck), a security guard who has a dysfunctional relationship with his mother and was seen at the scene of the crime by several witnesses. But when the killings escalate, it appears to be the work of more than one murderer. Could the deaths be connected to the sudden return of Tony\'s old hero, respected psychologist Jonathan Goode?. . .',
'overall': 5.0,
'summary': 'Only 4 of the 5 episodes included in this set',
'unixReviewTime': 1215734400,
'reviewTime': '07 11, 2008'},
{'reviewerID': 'A2HGFZ4MUOCW0K',
'asin': 'B000H00VBQ',
'reviewerName': 'windstormy',
'helpful': [0, 0],
'reviewText': 'I first fell in love with Robson Green from watching him in another series. When I came across Wire In the Blood, I was so excited to be able to view him again, and in a series that was similar, yet different enough for me to grow along with him, as a character.',
'overall': 5.0,
'summary': 'Wire is an original, not in the mainstream known series',
'unixReviewTime': 1376179200,
'reviewTime': '08 11, 2013'},
{'reviewerID': 'A2O2MMFX7FNYGS',
'asin': 'B000H00VBQ',
'reviewerName': 'W. S. Ward',
'helpful': [0, 2],
'reviewText': 'Every Season is GREAT. If you like British Mysteries this is for you !',
'overall': 5.0,
'summary': 'Wire in the Blood',
'unixReviewTime': 1220659200,
'reviewTime': '09 6, 2008'},
{'reviewerID': 'AKZSLZ5M9VMVN',
'asin': 'B000H00VBQ',
'reviewerName': 'Yvette R. Durham "Renee"',
'helpful': [2, 2],
'reviewText': "Enjoyed this product very much. I enjoyed the increasing involment between DI Fielding and the lead character. The chemistry is increasing the longer they spend together. I also liked that we got to see a little more of DI Fielding's personal life in this chapter.",
'overall': 5.0,
'summary': 'Renee',
'unixReviewTime': 1217203200,
'reviewTime': '07 28, 2008'},
{'reviewerID': 'A1POFVVXUZR3IQ',
'asin': 'B000H00VBQ',
'reviewerName': 'Z Hayes',
'helpful': [12, 12],
'reviewText': 'I discovered this series quite by accident. Having watched and appreciated Masterpiece Contemporary: Place of Execution, I was keen to read the novel (which inspired the TV adaptation) by Val McDermid. The novel was very well-written, and a nail-biting suspense thriller. Then I discovered that Val McDermid wrote other novels as well, and a couple of them inspired the TV crime drama Wire in the Blood.I finished watching all of Season 1 and have become a fan of this gritty crime drama that follows the investigations led by DI Carol Jordan (Hermione Norris). She is assisted by clinical psychologist Dr. Tony Hill (Robson Green), a rather eccentric figure who delves deeply into the minds of serial killers, studies patterns of criminal behavior and profiles criminals. His methods may seem strange at times, but he always manages to get results. Both Jordan and Hill make a strange if compelling pair, with Jordan analyzing a case based on evidence, and Hill working based on his knowledge of deviant behavior and what makes people commit disturbing crimes.Unlike some of the "cozy" mysteries such as the long-running Midsomer Murders - Set One and The Complete Inspector Lynley Mysteries, Wire in the Blood is not for the faint of heart. The crimes are horrific, sometimes involving children, almost always patterned on deviant behavior and the suspects are almost always very disturbed individuals. The crime scenes are difficult to watch as are the way victims are found and even the forensic examinations are graphic and unsettling. Though compelling, this is not really a show to watch in one sitting, and may very well give viewers nightmares.The first season contains three main stories, each divided into two episodes:The Mermaids Singing - Hill is on the trail of a seriously disturbed serial killer who targets homosexuals.Shadows Rising - The skeletal remains of a young woman is found, and when further evidence turns up, DI Jordan and Hill realize they have a serial killer on their hands, one with a penchant for dark-haired young women.Justice Painted Blind - Another unsettling case, this time revolving around an old child abduction and murder case. A couple of apparently random murders turn out not to be so random after all when it is discovered that the victims do share a connection involving an old court case where the accused was found not guilty. This throws up a whole bunch of suspects, including the parents of the murdered girl.The writing on this crime drama is excellent, and Robson Green is credible as the clinical psychologist who has a rare knack for profiling and getting under the skin of some of the most dangerous criminals. The drama also explores the chemistry and tension between Hill and DI Jordan, all of which result in a riveting show that keeps viewers coming back for more.The streaming was good overall with only a little delayed streaming during Episode One. There were no glitches on the other episodes. The picture quality could be improved though as it did seem a bit grainy to me.',
'overall': 5.0,
'summary': 'I purchased the series via streaming and loved it!',
'unixReviewTime': 1318291200,
'reviewTime': '10 11, 2011'},
{'reviewerID': 'A2RYF6G4SZY8OF',
'asin': 'B000H06480',
'reviewerName': 'C. Wilson "TVOD"',
'helpful': [12, 14],
'reviewText': "The previous reviewer is mistaken in thinking there are episodes missing, as the first season consisted of only 10 episodes. This show wasn't even expected to be picked up for a second season on The N, but the viewer response was so positive they brought it back. The shows should be watched in order to track character development. The main story line involves a teen-aged girl wrestling with her attraction to girls. Unlike most other shows touching upon this issue the character comes to terms with her lesbianism, which is key to the series. Seeing a show like this 25 years ago would have gone far in answering a lot of questions I was having. I'm glad to see positive queer role models are making it more often to the media.",
'overall': 5.0,
'summary': 'Great Show!',
'unixReviewTime': 1159747200,
'reviewTime': '10 2, 2006'},
{'reviewerID': 'AIVJMFMGMOESO',
'asin': 'B000H06480',
'reviewerName': 'Informatik Studentin "la estudiante"',
'helpful': [4, 5],
'reviewText': "this series is highly entertaining: dialogues are funny and witty, the actors are doing a great job, as are the producers and writers. it's not a high-budget-series, but it doesn't need to be. despite it's very addictive and well made. and it's not only a series for teenagers - maybe some parents should watch and learn. there are a lot of themes dealt with: racisim, integration, betrayl, career, identity, sexuality... the two main characters have a good chemistry, which reflects in their acting in the series. i'm very glad they are doing the second season - finally more from ashley and spencer!i just wish this series was available to an international audience.i think it also to be great, that you can legally download single episodes via the internet - yet i hope to find a dvd of south of nowhere soon - with loads of extras!",
'overall': 5.0,
'summary': 'highly entertaining!',
'unixReviewTime': 1160265600,
'reviewTime': '10 8, 2006'},
{'reviewerID': 'AKKE397EH67J5',
'asin': 'B000H06480',
'reviewerName': 'Mark Christensen "fushigi_nibow"',
'helpful': [0, 0],
'reviewText': 'I started watching this show on a whim, since I had nothing better to do. I was hooked from the first episode, even though I\'m not entirely sure why. I liked how the characters interacted. I moved to a different community when I was fairly young, but it was the opposite way. I was going from a big city to a small, farming community. So, I could relate to trying to fit in with the new community.Even if things are sometimes overdone, this series touches on points that few TV shows have. There\'s been a few about racism, bigotry, fitting in, considering the future, etc, but this was the first time I watched a show, that was made for people under 18, about homosexuality. This is why I find it to be a progressive show, since young people need to understand that there are people like this. They don\'t have to exactly agree with everything, but I like how the show shows them as normal teenagers, which is how it is in reality. Of course, I think some parents need to see this show for the same reason.I am hoping for a DVD release, and the Unbox is still missing 3 episodes from the 3rd season, namely "Can\'t Buy Me Love", "Career Day", and "Spencer\'s 18th Birthday". Hopefully, these episodes will be posted at some point, too. I\'m only getting these in the Unbox form to show my support for this series, even though it\'s been out for a while.',
'overall': 5.0,
'summary': 'Progressive Television, at last!',
'unixReviewTime': 1206316800,
'reviewTime': '03 24, 2008'},
{'reviewerID': 'APYMU5Z2J9C5Y',
'asin': 'B000H06480',
'reviewerName': 'Mark Twine',
'helpful': [1, 1],
'reviewText': 'Although the writing can be a bit dry at times, South of Nowhere is by far one of the most unique and risky television shows out there.',
'overall': 5.0,
'summary': 'Intelligent',
'unixReviewTime': 1189382400,
'reviewTime': '09 10, 2007'},
{'reviewerID': 'AEGL86OYQ1NEV',
'asin': 'B000H06480',
'reviewerName': 'Sebastiano "SCC"',
'helpful': [3, 17],
'reviewText': "Some episodes are missing. So why should one even bother to buy this? Why are these episodes missing? Are they going to be provided in the near future, or this is it? Isn't this like buying a bicycle with a missing wheel?",
'overall': 1.0,
'summary': 'What about the missing episodes?',
'unixReviewTime': 1157673600,
'reviewTime': '09 8, 2006'},
{'reviewerID': 'AVKNP3H0QB2HM',
'asin': 'B000H06480',
'reviewerName': 'TroubleInWoodsboro "Hello,Sidney!"',
'helpful': [3, 4],
'reviewText': 'this is a great teen geared show with good preformances from its young actors its a great addition to its network nieghbor degrassi the next generation which i also personally love because of its separation of all the pop culture gunk that shows like one tree hill and the oc bring to the teen market as does south of nowhere breaking away from the hot cheerleader dates the hot basketball player formula thats overplayed so all in all its a good show to watch and enjoy where the writing acting and plots almost always click.i came for degrassi and i stayed for south of nowhere........and fell asleep when beyond the break came on.',
'overall': 5.0,
'summary': 'hmmmmm smithers who is that bumbling idiot',
'unixReviewTime': 1170288000,
'reviewTime': '02 1, 2007'},
{'reviewerID': 'A2DDW0Q69L63AY',
'asin': 'B000H0OEJG',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'This is a wonderful DVD which every soccer coach should have in his arsenal (pun intended) in his Barcelona collection of coaching aids. Brasil shall return. Watch out, World...',
'overall': 5.0,
'summary': 'Coaching accessories',
'unixReviewTime': 1367971200,
'reviewTime': '05 8, 2013'},
{'reviewerID': 'AAQ114U36FPNN',
'asin': 'B000H0T112',
'reviewerName': 'O. Swerling',
'helpful': [0, 4],
'reviewText': "Admittedly, this show isn't for everyone. It can be silly sometimes. Still, it has the potential to be very funny, clever, and sweet.",
'overall': 4.0,
'summary': 'Sweet cartoon',
'unixReviewTime': 1174608000,
'reviewTime': '03 23, 2007'},
{'reviewerID': 'A3SA9ILU76V3EM',
'asin': 'B000H0T112',
'reviewerName': 'Sonari',
'helpful': [1, 1],
'reviewText': 'I think that Danny Phantom is a great show. It\'s attracting to both kids and adults. It has good storylines, character development, and is has great plots.For those who think that Danny Phantom is for kids only, they\'re wrong. I am a teenager myself and I love the show. You don\'t have to be a kid to like it (even Though it\'s rated TV-Y7-FV).For those of you who don\'t know what the show is about, let me tell you. This show takes place in a fictional city called Amity Park. 14-year-old Danny Fenton and his friends, goth-girl Samantha "Sam" Manson, and techno-geek Tucker Foley, attend Casper High. Danny\'s parents are too obsessed with ghosts that they don\'t really think about anything else. One day there was an accident in his parents lab and he got ghost powers. He now protects the city of Amity Park from all kinds of ghosts, while avoiding ghost hunters like the "Guys in White" and his parents. Trying to keep his ghost half a secret while avoiding Mr. Lancer\'s wrath (his teacher) Sam and Tucker always have Danny\'s back when he needs them.I hope this review was helpful. It\'s one of my top favorite cartoons. I give it two thumbs up!',
'overall': 4.0,
'summary': 'Great Cartoon',
'unixReviewTime': 1194912000,
'reviewTime': '11 13, 2007'},
{'reviewerID': 'A1PQYLO3AY9VFI',
'asin': 'B000H0X79O',
'reviewerName': 'Allen T. Frederick',
'helpful': [1, 1],
'reviewText': 'The first time I saw him he seemed a little wierd but the more I watched the more I liked him.',
'overall': 5.0,
'summary': 'Funny, clean, entertaining',
'unixReviewTime': 1229385600,
'reviewTime': '12 16, 2008'},
{'reviewerID': 'ASTB93SY6HDUR',
'asin': 'B000H0X79O',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'It was hilarious. It had all the comedians That I like to watch. Would definatly watch this again, and again',
'overall': 5.0,
'summary': 'Funny',
'unixReviewTime': 1389830400,
'reviewTime': '01 16, 2014'},
{'reviewerID': 'AW8QWKU6ZXFQT',
'asin': 'B000H0X79O',
'reviewerName': 'anirishlassie',
'helpful': [0, 0],
'reviewText': "Haven't watch more than a few episodes and don't know that I will. Didn't find the ones I watched all that funny",
'overall': 2.0,
'summary': 'so so',
'unixReviewTime': 1392681600,
'reviewTime': '02 18, 2014'},
{'reviewerID': 'AR7KRWHDTS3HF',
'asin': 'B000H0X79O',
'reviewerName': 'Avid listener',
'helpful': [0, 0],
'reviewText': "Good comedy and not too blue. I had not heard of these people but they are obviously top drawer. I'll watch all of the episodes",
'overall': 5.0,
'summary': 'very good',
'unixReviewTime': 1393891200,
'reviewTime': '03 4, 2014'},
{'reviewerID': 'A2E55NE9I2VHKN',
'asin': 'B000H0X79O',
'reviewerName': 'C. Desmond Gunatilaka "lankaman"',
'helpful': [0, 0],
'reviewText': 'Always happy to see varying collection of comedians presenting their acts - then remembering them as they climb the ladder of popularity',
'overall': 4.0,
'summary': 'Rib tickling humor',
'unixReviewTime': 1391126400,
'reviewTime': '01 31, 2014'},
{'reviewerID': 'A2PA1GA9DWM2PR',
'asin': 'B000H0X79O',
'reviewerName': 'Christopher M.',
'helpful': [0, 0],
'reviewText': 'Boring',
'overall': 1.0,
'summary': 'One Star',
'unixReviewTime': 1404950400,
'reviewTime': '07 10, 2014'},
{'reviewerID': 'A12QG7ITEVCSJE',
'asin': 'B000H0X79O',
'reviewerName': 'Corry Henry',
'helpful': [0, 0],
'reviewText': "I never watched it because I get an error on the shows I want to see. I can't recall the error message, but I couldn't watch Stephen Lynch or Jim gaffigan. Some of them did work, but it was 50/50.",
'overall': 1.0,
'summary': 'Many of the episodes errored out on Amazon Instant Video',
'unixReviewTime': 1390953600,
'reviewTime': '01 29, 2014'},
{'reviewerID': 'A2T8359WFA6YB0',
'asin': 'B000H0X79O',
'reviewerName': 'Daniel',
'helpful': [0, 0],
'reviewText': "The first episode of this series was hilarious. Brian Regan's set reminded me of goofing around with my buddies in high school and college and it had me in stitches. His set didn't cover politics or any "hot topics" of the day, it covered generic topics ranging from Pop Tart instructions to eye exams. Anyway, it was fun and I would recommend that episode to anyone looking for a good clean laugh without having to carry the weight of politics or depravity. It was fun.",
'overall': 4.0,
'summary': 'Brian Regan is a hoot',
'unixReviewTime': 1381708800,
'reviewTime': '10 14, 2013'},
{'reviewerID': 'A2R4DSO783J6BK',
'asin': 'B000H0X79O',
'reviewerName': 'D. E. Leopard',
'helpful': [0, 0],
'reviewText': 'This is an excellent collection of Stand Up comedy. Great escapist entertainment! Since laughter is the best medicine, this is just the right prescription. Some of the comics had me in tears laughing so hard, and others were not quite as funny. Comedy is very personal, but I think there is something for everyone in this collection. I would recommend this collection to anyone. Adult humor, which is pretty much the norm with Stand Up. This was free with Amazon Prime..so the price is definitely right.',
'overall': 4.0,
'summary': 'Really funny stuff!',
'unixReviewTime': 1376956800,
'reviewTime': '08 20, 2013'},
{'reviewerID': 'A2WWY5YTAYMJ30',
'asin': 'B000H0X79O',
'reviewerName': 'Denise Piepoli',
'helpful': [0, 0],
'reviewText': "clean no foul language like most of the yahooscan stand the filt or the blasphemy these jack a's usehard to find A Family friendly comic he fits the bill with out the gutter language",
'overall': 5.0,
'summary': 'he great',
'unixReviewTime': 1388707200,
'reviewTime': '01 3, 2014'},
{'reviewerID': 'A1OQEAFEIKKL12',
'asin': 'B000H0X79O',
'reviewerName': 'Diane H. Drake',
'helpful': [0, 0],
'reviewText': "You'll love it. Jim Gaffigan is my favorite comedienne. Talks about everyday things you can relate to without all that bad language so many comediennes think they have to use.",
'overall': 5.0,
'summary': 'Jim Gaffigan -- My favorite comedienne!',
'unixReviewTime': 1386028800,
'reviewTime': '12 3, 2013'},
{'reviewerID': 'A1JR35ENU57PKK',
'asin': 'B000H0X79O',
'reviewerName': 'Dlewis',
'helpful': [0, 0],
'reviewText': 'This season has the best comics overall of the ones that I have watched. I have watched about 5 seasons and reviewed what was in the other seasons.',
'overall': 5.0,
'summary': 'Overall favorite season',
'unixReviewTime': 1400803200,
'reviewTime': '05 23, 2014'},
{'reviewerID': 'AY4CSKNHABR8Z',
'asin': 'B000H0X79O',
'reviewerName': 'Donald B. Owens',
'helpful': [1, 2],
'reviewText': 'Not relevant anymore. The times have changed and I thought it would be nice to go back and see what it was like then. Not funny anymore.',
'overall': 1.0,
'summary': 'Not funny!',
'unixReviewTime': 1393459200,
'reviewTime': '02 27, 2014'},
{'reviewerID': 'AFYEEHKN8YV9Q',
'asin': 'B000H0X79O',
'reviewerName': 'Donna',
'helpful': [0, 0],
'reviewText': "I love this man's simple style of humor. No bad words or sexual innuendos. He doesnt need them because he pokes fun at himself and other humans and day to day situations. Life is funny!",
'overall': 5.0,
'summary': 'Always funny!',
'unixReviewTime': 1394582400,
'reviewTime': '03 12, 2014'},
{'reviewerID': 'AMM7F3126EAHH',
'asin': 'B000H0X79O',
'reviewerName': 'Dwayne',
'helpful': [0, 1],
'reviewText': "Kathleen Madigan goes with racist jokes on how she hates Chinese food, Chinese language, and Chinese Music. I'm pretty sure the producers spliced in shots of the audience clapping, then added some laugh tracks to replace the booing.",
'overall': 1.0,
'summary': 'There is a difference between racist jokes and jokes about racism',
'unixReviewTime': 1401148800,
'reviewTime': '05 27, 2014'},
{'reviewerID': 'A1HV6E2TAWM9RY',
'asin': 'B000H0X79O',
'reviewerName': 'Frank Price',
'helpful': [0, 0],
'reviewText': 'I loved Brian Regan the first time I saw him on Comedy Central! He is a funny guy with great insights! I like the way he moves on stage too! Cracks me up!',
'overall': 5.0,
'summary': 'Brian Regan Review',
'unixReviewTime': 1380844800,
'reviewTime': '10 4, 2013'},
{'reviewerID': 'A5S4TDSLQS0NK',
'asin': 'B000H0X79O',
'reviewerName': 'Gary Bastoky "bastokyg"',
'helpful': [0, 0],
'reviewText': "I love stand-up comedy, and think Jeremy Hotz is one of the funniest comedians out there. He's so miserable, and hey, it's a miserable place, so what can I say. Best to laugh about.",
'overall': 5.0,
'summary': 'Makes Miserable Funny',
'unixReviewTime': 1315353600,
'reviewTime': '09 7, 2011'},
{'reviewerID': 'A1EOW2T3BV25LH',
'asin': 'B000H0X79O',
'reviewerName': 'Gaurav Srivastava',
'helpful': [0, 1],
'reviewText': 'very bad and stale comedy. not at all engrossing. couldnt even watch the full episode.not a good experience. he needs to improve.',
'overall': 2.0,
'summary': 'stand up comedy brian',
'unixReviewTime': 1361145600,
'reviewTime': '02 18, 2013'},
{'reviewerID': 'A1UFTI7AAM2ZQ2',
'asin': 'B000H0X79O',
'reviewerName': 'Gene Breijer',
'helpful': [0, 0],
'reviewText': 'Many great comedians on this episode. I watched most of the acts, and every one of those was hilarious!Now comes Season 4!',
'overall': 5.0,
'summary': 'Hilarious!',
'unixReviewTime': 1394323200,
'reviewTime': '03 9, 2014'},
{'reviewerID': 'A1ZY828BYZGA98',
'asin': 'B000H0X79O',
'reviewerName': 'GMB "Chicago Reader"',
'helpful': [0, 0],
'reviewText': "Brian Regan is the funniest comic working right now. His comedy has no vulgarity or sexual cheap shots. Yet he creates a world that is so obtuse and yet so hysterical I can't wait for more.",
'overall': 5.0,
'summary': 'Regan is da man',
'unixReviewTime': 1366329600,
'reviewTime': '04 19, 2013'},
{'reviewerID': 'AXL2UYCL22G6L',
'asin': 'B000H0X79O',
'reviewerName': 'Grainne Fusani',
'helpful': [0, 0],
'reviewText': 'I taught it was very funny I laughed so hard the next day my ribs were killing me. Brian regan & Jim Gafigan were the best & they kept it clean so we could watch with the kids',
'overall': 5.0,
'summary': 'Brill',
'unixReviewTime': 1388793600,
'reviewTime': '01 4, 2014'},
{'reviewerID': 'A3CY2DKW9D7AR4',
'asin': 'B000H0X79O',
'reviewerName': 'grandma',
'helpful': [0, 0],
'reviewText': 'I downloaded episodes to my Kindle device so I could watch it on the airplane. I was laughing outloud in my seat! Only regret is that I could never get the episode of Kathleen Madigan to play, which is the whole reason I was interested in Season 3. Other than that, though, it was very funny stuff!',
'overall': 4.0,
'summary': 'Lots of Variety on Comedic Style - Made me laugh',
'unixReviewTime': 1403481600,
'reviewTime': '06 23, 2014'},
{'reviewerID': 'A25DT35GDO0J9C',
'asin': 'B000H0X79O',
'reviewerName': 'Hunny Alice',
'helpful': [0, 0],
'reviewText': "It was amazingly funny. The songs were great and had me laughing really hard. If you have a twisted sense of humor, you'll love it.",
'overall': 5.0,
'summary': 'Very Funny',
'unixReviewTime': 1394841600,
'reviewTime': '03 15, 2014'},
{'reviewerID': 'A1REMSD47RRG45',
'asin': 'B000H0X79O',
'reviewerName': 'integritess',
'helpful': [0, 0],
'reviewText': "There are several comedians on here I'd give 5 stars if I could rate them separately. The good thing is that you can pick and choose which ones you want to watch which was great for me since I don't care for a lot of foul language and tasteless sexual jokes. I'd watch the ones I loved again.",
'overall': 3.0,
'summary': 'A few good comedians. . .',
'unixReviewTime': 1377302400,
'reviewTime': '08 24, 2013'},
{'reviewerID': 'A39RJTIZEYTL46',
'asin': 'B000H0X79O',
'reviewerName': 'iouone2005 "Annika Richele"',
'helpful': [0, 0],
'reviewText': 'I LOVE stand up comedy. This had a couple of good comedieans. I have not heard of most of them',
'overall': 4.0,
'summary': 'Comedy',
'unixReviewTime': 1368230400,
'reviewTime': '05 11, 2013'},
{'reviewerID': 'A2PFIXDQZPPHC4',
'asin': 'B000H0X79O',
'reviewerName': 'James Louis',
'helpful': [0, 0],
'reviewText': 'Nice to see a great comedian who has a lot of great material that does not include off color garbage.',
'overall': 5.0,
'summary': 'Talented comedian',
'unixReviewTime': 1401408000,
'reviewTime': '05 30, 2014'},
{'reviewerID': 'AIMDSJ28WBL14',
'asin': 'B000H0X79O',
'reviewerName': 'J. Bean "Human, Husband, Father, Geek, Blogger"',
'helpful': [0, 0],
'reviewText': 'Love watching commercial free comedy stand-up routines. We caught Brian Reagan and Jim Gaffigan. Two of our favorites. Sometimes you just need a quick and easy pick-me-up.',
'overall': 4.0,
'summary': 'Cracking up with Comedy Commercial Free!',
'unixReviewTime': 1386201600,
'reviewTime': '12 5, 2013'},
{'reviewerID': 'A17722NA7CNN77',
'asin': 'B000H0X79O',
'reviewerName': 'Jennifer Meece',
'helpful': [0, 0],
'reviewText': 'Brian Regan is my favorite comic and I love pretty much everything he does. This stand-up show is one of my favorites.',
'overall': 5.0,
'summary': 'Love Brian Regan',
'unixReviewTime': 1397779200,
'reviewTime': '04 18, 2014'},
{'reviewerID': 'A1PG2VV4W1WRPL',
'asin': 'B000H0X79O',
'reviewerName': 'Jimmy C. Saunders "Papa Smurf"',
'helpful': [0, 0],
'reviewText': "It beats watching a blank screen. However, I just don't seem to be in tune with to comedy of today.",
'overall': 3.0,
'summary': 'It takes up your time.',
'unixReviewTime': 1381795200,
'reviewTime': '10 15, 2013'},
{'reviewerID': 'A3BZG7SBJCCK2A',
'asin': 'B000H0X79O',
'reviewerName': 'Joanie D. NJ',
'helpful': [0, 0],
'reviewText': "OMG! I just love Brian Regan! He is one of the best! I've seen him live in Atlantic City, and remember during that show we could not stop laughing. He is hilarious and it's clean fun! I would recommend this to anyone who needs a good laugh. You can picture yourself in his bits. Who knew a pop tart could be so funny! Enjoy",
'overall': 5.0,
'summary': 'Brian Regan is a hoot!!',
'unixReviewTime': 1376438400,
'reviewTime': '08 14, 2013'},
{'reviewerID': 'AHRYATXGUPAXD',
'asin': 'B000H0X79O',
'reviewerName': 'Joe',
'helpful': [0, 0],
'reviewText': 'Very Funny Man,Darrell is one of the funniest on the planet. This stand-up is one of his funniest that I have seen on TV.',
'overall': 4.0,
'summary': 'Funny',
'unixReviewTime': 1383523200,
'reviewTime': '11 4, 2013'},
{'reviewerID': 'A3143WZUXMUUTX',
'asin': 'B000H0X79O',
'reviewerName': 'Joel Mayerson',
'helpful': [0, 0],
'reviewText': "The show was not able to keep my attention for more than 5 minutes. It just wasn't that funny. Not what I expected.",
'overall': 2.0,
'summary': 'Not very funny',
'unixReviewTime': 1393027200,
'reviewTime': '02 22, 2014'},
{'reviewerID': 'A2P6WQ7IJ5QF3D',
'asin': 'B000H0X79O',
'reviewerName': 'Joey Avila',
'helpful': [0, 0],
'reviewText': 'Most of were funny. Worth watching good intertainment. Would watch again but everyone of these episodes. Some are better than others',
'overall': 3.0,
'summary': 'Funny',
'unixReviewTime': 1396828800,
'reviewTime': '04 7, 2014'},
{'reviewerID': 'AKIVDURD6SMB9',
'asin': 'B000H0X79O',
'reviewerName': 'john',
'helpful': [1, 2],
'reviewText': "Big Dane Cook fan. Pass on this. Trust me. That's all the review you need... this sentence required to make 'at least 20 words long' criteria. And it gave me more laughs than this video.",
'overall': 1.0,
'summary': 'Not funny',
'unixReviewTime': 1327104000,
'reviewTime': '01 21, 2012'},
{'reviewerID': 'ATASGS8HZHGIB',
'asin': 'B000H0X79O',
'reviewerName': 'JohnnyC',
'helpful': [0, 0],
'reviewText': "There are many episodes in this series, so I pretty-much just skip through them to try to find a description of something I think I would like. It's kind of a crap shoot as to whether you'll be entertained or not, but hey, if you're just sitting around trying to kill 20-30 minutes while you're waiting for something else to do, it's worth a shot.",
'overall': 3.0,
'summary': 'A reasonable way to kill a few minutes',
'unixReviewTime': 1388275200,
'reviewTime': '12 29, 2013'},
{'reviewerID': 'A2GO0S716VDVUQ',
'asin': 'B000H0X79O',
'reviewerName': 'J. Savell',
'helpful': [0, 0],
'reviewText': 'Brian Regan is one of the very best comedians on the current circuit. His comedy is clean and genuinely funny without the explicative and dirty innuendo. Great routine.',
'overall': 5.0,
'summary': 'Brian Regan',
'unixReviewTime': 1395187200,
'reviewTime': '03 19, 2014'},
{'reviewerID': 'A1DFHOFNREVAKF',
'asin': 'B000H0X79O',
'reviewerName': 'J. Sroka',
'helpful': [0, 0],
'reviewText': 'Good clean fun no expletives you will laugh until your stomachs hurt get ready for a god time Have a good time',
'overall': 5.0,
'summary': 'Funny',
'unixReviewTime': 1370390400,
'reviewTime': '06 5, 2013'},
{'reviewerID': 'A2BII4XI4KDVQA',
'asin': 'B000H0X79O',
'reviewerName': 'Justyn R. Egert',
'helpful': [3, 4],
'reviewText': "I've seen Stephen Lynch live, in this Comedy Central special, and heard his audio cds. Live is by far the best experience but this video is a close second. The live audience really enhances the experience. This is some truly funny stuff.",
'overall': 5.0,
'summary': 'Laugh out loud funny',
'unixReviewTime': 1157587200,
'reviewTime': '09 7, 2006'},
{'reviewerID': 'A3RXD7Z44T9DHW',
'asin': 'B000H0X79O',
'reviewerName': 'Kansas',
'helpful': [0, 0],
'reviewText': 'This is the best of the best comedy Stand-up. The fact that I was able to just watch continuously one comedian after another was great. I had the best laughter I have had in a long time.',
'overall': 5.0,
'summary': 'kansas001',
'unixReviewTime': 1393372800,
'reviewTime': '02 26, 2014'},
{'reviewerID': 'A1U18EFTZT1QBQ',
'asin': 'B000H0X79O',
'reviewerName': 'Kat Grimm',
'helpful': [0, 0],
'reviewText': 'I highly enjoy stand up comedy and it is a big plus for my lifestyle to have nice short shows to watch on a daily basis as I come and go :)',
'overall': 5.0,
'summary': 'Nice selection!!',
'unixReviewTime': 1394928000,
'reviewTime': '03 16, 2014'},
{'reviewerID': 'A1FM3D7QFTNPY',
'asin': 'B000H0X79O',
'reviewerName': 'Kimberly Church',
'helpful': [0, 0],
'reviewText': "Great show! We laughed for hours! I love that it is convenient and priced well. We didn't have to leave the living room!",
'overall': 5.0,
'summary': 'Hilarious!',
'unixReviewTime': 1357084800,
'reviewTime': '01 2, 2013'},
{'reviewerID': 'AP4E6F0MP2ZE3',
'asin': 'B000H0X79O',
'reviewerName': 'KPR',
'helpful': [0, 0],
'reviewText': 'My husband and I stay up late watching these old comedy routines. It is a lot of fun seeing our favorite people doing stand up. We love it. KPR',
'overall': 5.0,
'summary': 'Classic Comedy',
'unixReviewTime': 1370476800,
'reviewTime': '06 6, 2013'},
{'reviewerID': 'A3CUIZSGW7LZQW',
'asin': 'B000H0X79O',
'reviewerName': 'LAF',
'helpful': [0, 0],
'reviewText': 'I also love Dane Cook. This is NOT good. Lame. He seems to be trying to hard and the physical part is a bit much. Wanted to love it....',
'overall': 1.0,
'summary': 'agree w/ john',
'unixReviewTime': 1337731200,
'reviewTime': '05 23, 2012'},
{'reviewerID': 'ASDVVNZAHMQ2X',
'asin': 'B000H0X79O',
'reviewerName': 'Lindy',
'helpful': [0, 0],
'reviewText': 'Funny guy.',
'overall': 4.0,
'summary': 'Four Stars',
'unixReviewTime': 1404432000,
'reviewTime': '07 4, 2014'},
{'reviewerID': 'A1JB3ZW78YDP0K',
'asin': 'B000H0X79O',
'reviewerName': 'LoadedMind "Sportbike Enthusiast"',
'helpful': [0, 0],
'reviewText': "What's wrong about this rating is that it's not fair to the comedians that were actually funny - like the first three. The rest of them really shouldn't be stand-up comedians, but my opinion is biased because you may not have the same sense of humor I do. So, take this with a grain of salt.",
'overall': 1.0,
'summary': 'Not funny',
'unixReviewTime': 1392422400,
'reviewTime': '02 15, 2014'},
{'reviewerID': 'AUX8EUBNTHIIU',
'asin': 'B000H0X79O',
'reviewerName': 'Louis V. Borsellino',
'helpful': [0, 0],
'reviewText': "Not bad. Didn't know any of the comedians but first time viewing put a smile on my face. I'll check out the next season soon.",
'overall': 3.0,
'summary': 'Entertaining Comedy',
'unixReviewTime': 1396396800,
'reviewTime': '04 2, 2014'},
{'reviewerID': 'A3PKLQ7AW3ISCS',
'asin': 'B000H0X79O',
'reviewerName': 'Marc Vazquez "over worked"',
'helpful': [0, 0],
'reviewText': "It's a 30min set of one comedian. If you like comedy you will like this show. If you don't you at least get to see if you like that particular comedian",
'overall': 5.0,
'summary': "If you like comedy you can't go wrong",
'unixReviewTime': 1387756800,
'reviewTime': '12 23, 2013'},
{'reviewerID': 'A3VDSQM15UV55I',
'asin': 'B000H0X79O',
'reviewerName': 'MBR',
'helpful': [0, 1],
'reviewText': 'Okay because it was free to watch since I am a amazon prime member. Would not pay to watch this stand up at all. All I am saying.',
'overall': 3.0,
'summary': 'Okay.',
'unixReviewTime': 1370390400,
'reviewTime': '06 5, 2013'},
{'reviewerID': 'AL5CCUFG7UJCN',
'asin': 'B000H0X79O',
'reviewerName': 'M. Northup',
'helpful': [0, 0],
'reviewText': 'This is THE best season...Jim Gaffigan, Brian Regan, and Dane Cook. I mean, really? Could it get better? I submit that it cannot....(BR).',
'overall': 5.0,
'summary': 'Superstars pre-superstardom',
'unixReviewTime': 1395705600,
'reviewTime': '03 25, 2014'},
{'reviewerID': 'A109UZIIEKS24Z',
'asin': 'B000H0X79O',
'reviewerName': 'Mr. Scott Gordon',
'helpful': [0, 0],
'reviewText': 'Really enjoyed most of the comedians. Fun stuff! Early Gaffagan was a hoot. We plan on watching more of them.',
'overall': 4.0,
'summary': 'Fun stuff!',
'unixReviewTime': 1401148800,
'reviewTime': '05 27, 2014'},
{'reviewerID': 'A2N35DEM20HQ4B',
'asin': 'B000H0X79O',
'reviewerName': 'M. Stark',
'helpful': [0, 0],
'reviewText': "I watched 4-5 of the episodes. Jim Gaffigan episode is smart, fun, every man, every day comedy. Keeps me laughing and engaged. The others not so much. Either they are over-acting, if you will, or resort to some gross/vulgar/yech in a sophomoric attempt to fill a half-hour at some point. Don't get me wrong, I'm a Katt Williams and Jeff Foxworthy fan so I value a spectrum of style. The comic has to be smart, witty and inspired to count me a fan.",
'overall': 3.0,
'summary': "Gaffigan is worth it! The rest were so-so but that's my humor style",
'unixReviewTime': 1394928000,
'reviewTime': '03 16, 2014'},
{'reviewerID': 'A26SGEURORIHLI',
'asin': 'B000H0X79O',
'reviewerName': 'Mz Woni',
'helpful': [0, 0],
'reviewText': 'The video was hilarious and kept me laughing. I liked the video and enjoyed myself. It was very funny too.',
'overall': 5.0,
'summary': 'Very funny.',
'unixReviewTime': 1393113600,
'reviewTime': '02 23, 2014'},
{'reviewerID': 'ATM6Z5EFXNNOD',
'asin': 'B000H0X79O',
'reviewerName': 'Nancy Drew',
'helpful': [0, 0],
'reviewText': "Very disappointed. I purchased this show because Dane Cook was included. Once purchased found out I am not allowed to access Dane Cook's show. Should have been warned. Would never have purchased had I known.",
'overall': 1.0,
'summary': 'Very disappointed!!',
'unixReviewTime': 1384300800,
'reviewTime': '11 13, 2013'},
{'reviewerID': 'A33I16DAFSWK7J',
'asin': 'B000H0X79O',
'reviewerName': 'Nancy M. Miklus',
'helpful': [0, 0],
'reviewText': 'I purchased Brian Regan at Comedy Central. He makes me laugh and I enjoyed this. I first heard his humor on the radio and thought I might this routine and I did.',
'overall': 5.0,
'summary': 'Brian Regen always good for a laugh',
'unixReviewTime': 1361404800,
'reviewTime': '02 21, 2013'},
{'reviewerID': 'A21L8355LURDUJ',
'asin': 'B000H0X79O',
'reviewerName': 'NavyBarker',
'helpful': [0, 0],
'reviewText': 'Some where very funny but most were not it was a lot of hit or miss with the seasons and the comics',
'overall': 3.0,
'summary': 'Funny',
'unixReviewTime': 1394755200,
'reviewTime': '03 14, 2014'},
{'reviewerID': 'A25TWI6G4Y42GT',
'asin': 'B000H0X79O',
'reviewerName': 'Neeva Candida "Neeva Candida"',
'helpful': [0, 1],
'reviewText': "I'm not sure where they find this current brand of comedian. Almost none of them are very creative or original. They usually resort to coarseness to get a laugh.",
'overall': 1.0,
'summary': 'As usual, unoriginal and boring.',
'unixReviewTime': 1367107200,
'reviewTime': '04 28, 2013'},
{'reviewerID': 'A1PJ7TOLVO2KYB',
'asin': 'B000H0X79O',
'reviewerName': 'Nicole',
'helpful': [0, 1],
'reviewText': "This show felt as if it was taped by an audience member using VHS. It wasn't very funny, and we couldn't even get through the first 5 minutes. This rental is definitely NOT worth the money.",
'overall': 1.0,
'summary': 'Low Budget Disappointment',
'unixReviewTime': 1359504000,
'reviewTime': '01 30, 2013'},
{'reviewerID': 'AW3ZMLX4K8BXC',
'asin': 'B000H0X79O',
'reviewerName': 'nmease',
'helpful': [0, 0],
'reviewText': 'You will laugh and cringe at these guys and gals. Some are good, some are great. If you are in the mood to laugh you wont be disappointed. If you are depressed or looking for ground breaking performances this might not do the job.',
'overall': 4.0,
'summary': 'It is stand up',
'unixReviewTime': 1376352000,
'reviewTime': '08 13, 2013'},
{'reviewerID': 'A2NN88ATWM691E',
'asin': 'B000H0X79O',
'reviewerName': 'Noah Hurst',
'helpful': [0, 0],
'reviewText': "I only watched Brian Regan. That being said he is very funny. What I like most about him is that he's very funny while being very clean. Easy to watch with kids. Not awkward to watch with family members at Christmas or Thanksgiving.I can't speak for any of the other comedians because I didn't watch them.",
'overall': 5.0,
'summary': 'I only watched Brian Regan.',
'unixReviewTime': 1376092800,
'reviewTime': '08 10, 2013'},
{'reviewerID': 'A3GO2CYGR4JPV4',
'asin': 'B000H0X79O',
'reviewerName': 'Patrick H. Woodall "Rich Woodlan"',
'helpful': [0, 0],
'reviewText': "One of the best seasons of Comedy Central Presents. A lot of the greats are on this season, where other seasons lack anybody you've ever heard of.",
'overall': 5.0,
'summary': 'One of the best',
'unixReviewTime': 1376784000,
'reviewTime': '08 18, 2013'},
{'reviewerID': 'A2OHBOATDLWP3T',
'asin': 'B000H0X79O',
'reviewerName': 'P. Scott ""Mr. Practical""',
'helpful': [0, 0],
'reviewText': "If you like Brian Regan, you'll enjoy this show. It is an older set but good material and as usual the whole family can watch it.",
'overall': 4.0,
'summary': 'Brian Regan is funny!',
'unixReviewTime': 1378512000,
'reviewTime': '09 7, 2013'},
{'reviewerID': 'A1KXLYX0X73KH0',
'asin': 'B000H0X79O',
'reviewerName': 'P.S. Woods "pswoods"',
'helpful': [0, 0],
'reviewText': "My favorites so far are Brian Regan, Jim Gaffigan, and Greg Giraldo, Ralph Harris. Some of the comics aren't funny at all. There are identity bits, headlines, joke songs - real hacky, bush league stuff. I wonder how some of these comics got their own specials. But it's almost more fun to wade through the hacks because it makes the good ones seem that much better. I wish there was a way to review just the ones I like instead of the whole season.",
'overall': 4.0,
'summary': 'Several bright spots',
'unixReviewTime': 1374796800,
'reviewTime': '07 26, 2013'},
{'reviewerID': 'A3BH3XN4PIWIN8',
'asin': 'B000H0X79O',
'reviewerName': 'ralphieboy',
'helpful': [0, 0],
'reviewText': 'Jim Gaffigan (to me) is one of the greatest comedians of all time. Everything this guy does cracks me up.If I could give it 10 stars I would',
'overall': 5.0,
'summary': 'WOOO!!!',
'unixReviewTime': 1390176000,
'reviewTime': '01 20, 2014'},
{'reviewerID': 'A3ATBY47PAJNBB',
'asin': 'B000H0X79O',
'reviewerName': 'Raymond L. Richards',
'helpful': [0, 0],
'reviewText': "Didn't find the comedians hilarious but the comedians we watched had some good material that my wife and I found funny.",
'overall': 3.0,
'summary': 'Good to watch when you need a laugh.',
'unixReviewTime': 1395187200,
'reviewTime': '03 19, 2014'},
{'reviewerID': 'AXM3GQLD0CHIL',
'asin': 'B000H0X79O',
'reviewerName': 'Ray Shiva',
'helpful': [0, 0],
'reviewText': 'Funny, interesting, a great way to pass time. I usually enjoy standup comedy and is this is a good show for me.',
'overall': 4.0,
'summary': 'Worth watching!',
'unixReviewTime': 1391731200,
'reviewTime': '02 7, 2014'},
{'reviewerID': 'A1J3SFHJUQ48MC',
'asin': 'B000H0X79O',
'reviewerName': 'READER',
'helpful': [0, 0],
'reviewText': 'I loved the variety of comics for just the right amount of time. I can watch one just about anywhere on my Kindle.',
'overall': 5.0,
'summary': 'EXCELLENT NO BRAINER ENTERTAINMENT',
'unixReviewTime': 1401926400,
'reviewTime': '06 5, 2014'},
{'reviewerID': 'A3VQA45Q09ST20',
'asin': 'B000H0X79O',
'reviewerName': 'Reading Rabbit',
'helpful': [0, 0],
'reviewText': "It's a great opportunity to check out comedians I've never heard of, some I liked and some not so much.",
'overall': 4.0,
'summary': 'Funny stuff',
'unixReviewTime': 1374192000,
'reviewTime': '07 19, 2013'},
{'reviewerID': 'A1C0DO33RB6MIQ',
'asin': 'B000H0X79O',
'reviewerName': 'R. Hemsen',
'helpful': [0, 0],
'reviewText': 'Lots of laughs. Only watched the episodes from Rob Riggle and Shane Mauss but both were funny. Looking forward to giving the others a shot since these are short at only thirty minutes or so',
'overall': 4.0,
'summary': 'Funny stuff',
'unixReviewTime': 1374364800,
'reviewTime': '07 21, 2013'},
{'reviewerID': 'A23WSNSTE2TC6F',
'asin': 'B000H0X79O',
'reviewerName': 'Ricardo Fitipaldi',
'helpful': [0, 0],
'reviewText': "Witty, Clean, and super funny comedy, that the whole family can enjoy. I just wish that all Brian's shows were available.",
'overall': 5.0,
'summary': 'LOL',
'unixReviewTime': 1389398400,
'reviewTime': '01 11, 2014'},
{'reviewerID': 'A18ZFV1PAVIU77',
'asin': 'B000H0X79O',
'reviewerName': 'richyrich',
'helpful': [0, 0],
'reviewText': 'ha ah ha ahhha ahahaha haha ahah ahahaah hahahahah hahahahhaahhahaaha hahaha hahaha ahahaha hahahah hahah hahah hahah hahaha hahhahah TEE HEE',
'overall': 5.0,
'summary': 'disease',
'unixReviewTime': 1339459200,
'reviewTime': '06 12, 2012'},
{'reviewerID': 'A1N9H7K92EDG8B',
'asin': 'B000H0X79O',
'reviewerName': 'Robert E. Jackson',
'helpful': [6, 7],
'reviewText': "I love Brian Regan. He's funny because everybody can relate to what he talks about, and doesn't need to resort to bad language and dirty stories to make people laugh. I have yet to find a comedian that's as good as he is.",
'overall': 5.0,
'summary': 'real comedy',
'unixReviewTime': 1334707200,
'reviewTime': '04 18, 2012'},
{'reviewerID': 'A2R8889IUSTERG',
'asin': 'B000H0X79O',
'reviewerName': 'Russell Foszcz TTEE',
'helpful': [0, 0],
'reviewText': 'I just LOVE Kathleen Madigan! Of all the comedians in the series she stands above and beyond the rest in the funny-bone department!',
'overall': 5.0,
'summary': 'Comedy Central is the BEST!',
'unixReviewTime': 1386374400,
'reviewTime': '12 7, 2013'},
{'reviewerID': 'A37EO33PXXRBSM',
'asin': 'B000H0X79O',
'reviewerName': 'Sandra Dalton',
'helpful': [0, 0],
'reviewText': "Loved the Clinton jokes that's all I have to say don't have anything else to say say say say say",
'overall': 5.0,
'summary': 'Politically funny',
'unixReviewTime': 1399593600,
'reviewTime': '05 9, 2014'},
{'reviewerID': 'A8987S5JEVX92',
'asin': 'B000H0X79O',
'reviewerName': 'Seamus',
'helpful': [0, 0],
'reviewText': "It's good I used to watch it as a kid was good to watch again older as an adult b",
'overall': 5.0,
'summary': 'Rating',
'unixReviewTime': 1392768000,
'reviewTime': '02 19, 2014'},
{'reviewerID': 'A13C21OYVPJXA1',
'asin': 'B000H0X79O',
'reviewerName': 'Sherri Warden',
'helpful': [0, 0],
'reviewText': "You can't go wrong with this stand up comedian! He is a class act with a unique quality to him. One of my favorite aspects is I can have my children in the room and not worry about them overhearing anything inappropriate or vulgar. Definitely would recommend to others!",
'overall': 5.0,
'summary': 'Jim Gaffigan',
'unixReviewTime': 1364428800,
'reviewTime': '03 28, 2013'},
{'reviewerID': 'A2VNS7309FZL1F',
'asin': 'B000H0X79O',
'reviewerName': 'stephanie koran',
'helpful': [0, 0],
'reviewText': "bought the single episode that was supposed to be dane cook but it's someone completely different. very unhappy.the only reason i bought it was for dane cook and the preview even showed it was him.",
'overall': 1.0,
'summary': 'sucks',
'unixReviewTime': 1383436800,
'reviewTime': '11 3, 2013'},
{'reviewerID': 'A1Z0E0CE443N5V',
'asin': 'B000H0X79O',
'reviewerName': 'Stephie',
'helpful': [0, 0],
'reviewText': "Some of the acts are funnier than others... It's okay if you have nothing better to watch. It's okay. its free.",
'overall': 3.0,
'summary': 'Ok',
'unixReviewTime': 1379808000,
'reviewTime': '09 22, 2013'},
{'reviewerID': 'A1Q559Y70E0029',
'asin': 'B000H0X79O',
'reviewerName': 'Suzanne Casey',
'helpful': [0, 0],
'reviewText': 'I recommend Comedy Central Stand Up because the selected comedians were really funny - found myself laughing out loud even with my headset on !',
'overall': 5.0,
'summary': 'Funniest stuff',
'unixReviewTime': 1387065600,
'reviewTime': '12 15, 2013'},
{'reviewerID': 'A3454CBUNUCRWR',
'asin': 'B000H0X79O',
'reviewerName': 'Techvisitor Computer Repair',
'helpful': [0, 0],
'reviewText': 'Was not funny to my taste. Stopped watching after 5 minutes. Was mostly acoustic singing with some dry humor. Bland.',
'overall': 1.0,
'summary': 'boring. slightly funny',
'unixReviewTime': 1394409600,
'reviewTime': '03 10, 2014'},
{'reviewerID': 'A2Y3YORGVKD5YZ',
'asin': 'B000H0X79O',
'reviewerName': 'Testlight',
'helpful': [0, 0],
'reviewText': 'Jim Gaffigan never fails to entertain. One of the funniest comedians of this generation. Highly recommended. Guaranteed to make your day.',
'overall': 5.0,
'summary': 'Fun for the whole Family!',
'unixReviewTime': 1378425600,
'reviewTime': '09 6, 2013'},
{'reviewerID': 'A2N5761O7SHTNY',
'asin': 'B000H0X79O',
'reviewerName': 'The Brookster "super mom"',
'helpful': [0, 0],
'reviewText': "To be honest with you, I am not familiar with most of these comedians however that did not matter at all. I multi- tasked. Cooking and laughing at the same time. I wonder how many calories I burned? Seriously if you want to laugh non-stop, by all means watch Comedy Central. You won't regret it.",
'overall': 5.0,
'summary': 'FUNNY WITH A CAPITAL F',
'unixReviewTime': 1377734400,
'reviewTime': '08 29, 2013'},
{'reviewerID': 'A38EQ1WED95MXO',
'asin': 'B000H0X79O',
'reviewerName': 'Tiger',
'helpful': [0, 0],
'reviewText': 'Each comedian has their own style but most all seasons had one or two who had me laughing to tears. I highly recommend the whole series.',
'overall': 5.0,
'summary': 'Funny',
'unixReviewTime': 1368921600,
'reviewTime': '05 19, 2013'},
{'reviewerID': 'A24FEBQNFMW5AV',
'asin': 'B000H0X79O',
'reviewerName': 'timothy keough',
'helpful': [0, 0],
'reviewText': 'it was very very very funny, i laughed and laughed until i stopped laughing brian regan is a hilarious dude',
'overall': 5.0,
'summary': 'Brian Regan rocks',
'unixReviewTime': 1392508800,
'reviewTime': '02 16, 2014'},
{'reviewerID': 'A1KQBAUFFNL326',
'asin': 'B000H0X79O',
'reviewerName': 'T. Marie Neville "SeriouslyFolks"',
'helpful': [0, 1],
'reviewText': 'Each and every video for every season of Comedy Central drags and hangs up. The video stops while audio hums right along. Really really annoying. No other movies or tv shows play this way. I am playing these videos on TV through my Wii system. One video stops altogether and was hung up till the next day. I had to unplug the Wii to unsung the video but every comedy central still hangs up. Fix this Amazon.',
'overall': 2.0,
'summary': 'Poor quality play',
'unixReviewTime': 1398556800,
'reviewTime': '04 27, 2014'},
{'reviewerID': 'AJWTDQF0XSZ5W',
'asin': 'B000H0X79O',
'reviewerName': 'T. McLaughlin',
'helpful': [0, 0],
'reviewText': 'Greg Giraldo is one of the great comedians, its nice to see some of his older, pre-roast stuff, he will be missed',
'overall': 5.0,
'summary': 'Laughing out loud',
'unixReviewTime': 1365552000,
'reviewTime': '04 10, 2013'},
{'reviewerID': 'A3AH0SFI02IHRY',
'asin': 'B000H0X79O',
'reviewerName': 'Todd A. Brownlie',
'helpful': [1, 1],
'reviewText': 'First heard his stand-up on CD when I worked at Borders a few years back. Sometimes he gets a bit carried away (a lotta comics tend to, though), and his comedy comes across dopey, yet easy to relate to. Clean (no naughty words or uncouth situations here!), family-fun comedy (dirty or clean, as long as a comedian can deliver to the audience well, then he/she is funny in my eyes).',
'overall': 4.0,
'summary': 'Brian Regan',
'unixReviewTime': 1163980800,
'reviewTime': '11 20, 2006'},
{'reviewerID': 'A1V4CJJT8TEHKW',
'asin': 'B000H0X79O',
'reviewerName': 'Tom Morrow',
'helpful': [0, 0],
'reviewText': 'I guess he got funny later in his career. After 5 min I turned it off. He spent a lot of time crawling on the ground.',
'overall': 2.0,
'summary': 'Not what I expected from him',
'unixReviewTime': 1388534400,
'reviewTime': '01 1, 2014'},
{'reviewerID': 'A2X8VCSYU6ZWF0',
'asin': 'B000H0X79O',
'reviewerName': 'tx',
'helpful': [0, 0],
'reviewText': 'it was funny, why do I have to put so many words on here for this I mean come on',
'overall': 3.0,
'summary': 'It was funny',
'unixReviewTime': 1403395200,
'reviewTime': '06 22, 2014'},
{'reviewerID': 'A1SNFC3IZD50LC',
'asin': 'B000H0X79O',
'reviewerName': 'Uncle Dave',
'helpful': [0, 0],
'reviewText': 'I idi not think that it was funny,,,, may be it is aimed at a youger audiance,, I doubt it,,,',
'overall': 2.0,
'summary': 'skip it',
'unixReviewTime': 1385164800,
'reviewTime': '11 23, 2013'},
{'reviewerID': 'A1AL7XJ6CBBVSV',
'asin': 'B000H0X79O',
'reviewerName': 'Vincent Socci',
'helpful': [0, 0],
'reviewText': 'Comedy Central always does a great job with their stand up comedians. Sure, there will be some comedians that you like more or less than others, but all of them will bring a smile to your face.I appreciate that Comedy Central does keep the language controlled, especially since so many comedians seem to drop those bombs so frequently. The "bleeps" are annoying, but I would rather hear them than the swearing. I do wish they would keep out some of the indecent topics and references. I am not expecting wholesome, child-friendly comedy, but I think we should be able to expect to not be uncomfortable hearing it with friends in the room.Overall, I find these quick little stand up sessions to be great entertainment while hanging out with friends or even waiting at the airport. Thanks Amazon for having these available.',
'overall': 4.0,
'summary': 'Always a great pick me up',
'unixReviewTime': 1399680000,
'reviewTime': '05 10, 2014'},
{'reviewerID': 'A3ADJHRC2HI7A6',
'asin': 'B000H0X79O',
'reviewerName': 'West Side Wonder "Matt"',
'helpful': [0, 0],
'reviewText': "Brian Regan is a smart comedian who knows you don't have to be dirty to be funny! Love all of his stuff & have watched it & re-watched it. He brings sarcastic humor to everyday stuff and his faces and gestures enhance the routine. All around class act!",
'overall': 5.0,
'summary': 'Brian Regan - clean, class act!',
'unixReviewTime': 1378512000,
'reviewTime': '09 7, 2013'},
{'reviewerID': 'A3PITTHZJVI0FL',
'asin': 'B000H0X79O',
'reviewerName': 'William Harrell',
'helpful': [0, 0],
'reviewText': 'some of the endings to his songs where not there. but great quality, and streamed at a good speed. all an all okl',
'overall': 3.0,
'summary': 'I feel they cut it short',
'unixReviewTime': 1394841600,
'reviewTime': '03 15, 2014'},
{'reviewerID': 'A1OA8BH7N6PYWV',
'asin': 'B000H0X79O',
'reviewerName': 'Woody Muire',
'helpful': [0, 0],
'reviewText': 'Some of the jokes are dated, but these are mostly still funny routines. If you want to laugh for 20 minutes, check them out.',
'overall': 4.0,
'summary': 'Comedy blast from the past.',
'unixReviewTime': 1397865600,
'reviewTime': '04 19, 2014'},
{'reviewerID': 'ALQ2THOWAMBRR',
'asin': 'B000H0YRNY',
'reviewerName': '65DGW65',
'helpful': [0, 3],
'reviewText': "Hate this. Did not intend to buy it. Could not return it after the transaction. One click is great, but it's issue is, if your connection stalls you may inadvertently buy things you did not intend to buy. If I could give this negative stars I would.",
'overall': 1.0,
'summary': 'One click is the root of all evil',
'unixReviewTime': 1377734400,
'reviewTime': '08 29, 2013'},
{'reviewerID': 'AWG481EG0KJ1V',
'asin': 'B000H0YRNY',
'reviewerName': 'Adina Everett',
'helpful': [0, 0],
'reviewText': "When I found out his was on Prime, I flipped. Danny Phantom was my childhood, and still one of my favorite shows. I hadn't seen it in well over 5 years. This seriously made my day and I would recommend Seasons 2 and 3 as well.",
'overall': 5.0,
'summary': 'YES.',
'unixReviewTime': 1389312000,
'reviewTime': '01 10, 2014'},
{'reviewerID': 'A1ME9QHGV29OA5',
'asin': 'B000H0YRNY',
'reviewerName': 'Al',
'helpful': [0, 0],
'reviewText': 'The kids love this show.',
'overall': 5.0,
'summary': 'Fun show for the kids',
'unixReviewTime': 1403827200,
'reviewTime': '06 27, 2014'},
{'reviewerID': 'A1PR0R2OPPIW0X',
'asin': 'B000H0YRNY',
'reviewerName': 'Allie',
'helpful': [0, 0],
'reviewText': "I'm sorry but i loved this show when it was on and it's still one of my favorites. xD Yay Danny Phantom!",
'overall': 5.0,
'summary': 'Seriously my favorite xD',
'unixReviewTime': 1401062400,
'reviewTime': '05 26, 2014'},
{'reviewerID': 'A2QKJ4EPNTFC36',
'asin': 'B000H0YRNY',
'reviewerName': 'amacoop',
'helpful': [0, 0],
'reviewText': 'My teenage daughter used to watch this show, now she is sharing it with her younger brother and sister to occupy themselves during our many snow days home from school! They get a thrill from spending time with big sis, watching a fun show!',
'overall': 4.0,
'summary': 'Kids love it',
'unixReviewTime': 1391731200,
'reviewTime': '02 7, 2014'},
{'reviewerID': 'AOZRGMXCYSH5H',
'asin': 'B000H0YRNY',
'reviewerName': 'Amanda "AnimeGirl"',
'helpful': [18, 19],
'reviewText': 'Unlike the previous manufactured on demand (MOD) using DVD-Rs releases that had been available on Amazon, this is an official release by Shout! Factory. The picture and sound on this 4 disc release is great and each disc has 5 episodes on it. Also unlike the MOD release, this release has nicer main menus on the discs (the theme song plays while it loops through character images) and each episode has chapters (meaning when you click the next button it doesn\'t skip the entire episode). Like the MOD release this release has no extras, but that won\'t stop me from buying the seasons 2 and 3 releases though (I love this show and I personally don\'t care that much if it has no extras/bonus features - extras/bonus features are just that to me, an extra/a bonus, especially when its only $20 - but again that\'s me, I know others look at extras/bonus features when making a decision to buy a DVD). The only "flaws" I found with this release is that on the inside of the case it lists what episodes are on each disc, but it does not list them in the order they actually play on each disc (except disc 2, that one is listed in the same order it actually plays on the disc), and the cover image is from season 2, not 1. Neither of these "flaws" affect the great quality of the show or the DVDs of course, I just wanted to mention them for those who may care and to give a detailed product review. This set does contain and play all 20 episodes of the first season in the correct order (except #2 and #3 are swapped, but it doesn\'t affect the story or anything). Below is the order the episodes play:1. Mystery Meat2. One of a Kind (supposed to be episode 3)3. Parental Bonding (supposed to be episode 2)4. Attack of the Killer Garage Sale5. Splitting Images6. What You Want7. Bitter Reunions8. Prisoners of Love9. My Brother\'s Keeper10. Shades of Gray11. Fanning the Flames12. Teacher of the Year13. "13"14. Public Enemies15. Fright Night16. Maternal Instinct17. Lucky in Love18. Life Lessons19. The Million Dollar Ghost20. Control FreaksI hope that helps anyone thinking of buying this great DVD release of this wonderful show!!!',
'overall': 5.0,
'summary': 'Great Show And Great DVD Release!',
'unixReviewTime': 1316304000,
'reviewTime': '09 18, 2011'},
{'reviewerID': 'A3BLUICJL4EQPM',
'asin': 'B000H0YRNY',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': "great puns, and so many blatant clues. it's still hilarious as an adult. always looked for it on Netflix, so glad it's on Amazon now.",
'overall': 5.0,
'summary': '"Feast on my VENGEANCE!"',
'unixReviewTime': 1372291200,
'reviewTime': '06 27, 2013'},
{'reviewerID': 'A1GUJPIEN0XH4Q',
'asin': 'B000H0YRNY',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'My 9 year-old son liked it, and I thought it was pretty good, also. Therefore, I would recommend it to adults and children.',
'overall': 4.0,
'summary': 'My 9 year-old son liked it.',
'unixReviewTime': 1380844800,
'reviewTime': '10 4, 2013'},
{'reviewerID': 'AY9DKALM62B5Z',
'asin': 'B000H0YRNY',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': "My kids and I love this show.Please amazon don't remove this show, it is very funny and entertaining can't stop watching it.",
'overall': 5.0,
'summary': 'GREAT SHOW',
'unixReviewTime': 1393286400,
'reviewTime': '02 25, 2014'},
{'reviewerID': 'A2I04IQ20P3K5Z',
'asin': 'B000H0YRNY',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'The quality was great and i would watch it over and over. I recommend this for anyone who loved the show or looking for something new to watch',
'overall': 5.0,
'summary': 'Danny Phantom is awsome',
'unixReviewTime': 1377129600,
'reviewTime': '08 22, 2013'},
{'reviewerID': 'A1YPKKJJA53OXA',
'asin': 'B000H0YRNY',
'reviewerName': 'Asa Capra',
'helpful': [11, 12],
'reviewText': 'This is a good DVD for any DP fans but I rather get the BOD releases. Here\'s the back boxart description:It\'s a scary good time with the complete first season of Danny Phantom! Cheer Danny on as he battles the school Lunch Lady who transforms into a 50-foot pile of mystery meat, help him stop technological ghost master Technus from taking over the world\'s computers, and enter the Ghost Zone with Danny on his quest to...rescue a package? It\'s a season full of out-of-this-wor\'ld adventure at your fingertips!Disc 1:Mystery Meat (Aired April 3, 2004)- A 14-year old boy, Danny Fenton has recently gained ghostly powers and is still learning to use them. Danny\'s best friend, Sam Manson, has convinced the school to change its lunch menu to one that suits her ultra-recyclo-vegetarian tastes, thus angering the students and a ghostly lunch lady.One of a Kind (Aired April 10, 2004)- Danny figures out a way to raise his grade while fending off rogue ghost hunter Skulker.Parental Bonding (Aired April 10, 2004)- Danny tries his might to ask Paulina out on a date while trying to fend off a ghost dragon at the same time.Attack of the Killer Garage Sale (Aired April 17, 2004)- Danny\'s garage sale to raise money for an outfit goes bust when he has to confront Nicholai Technus, the ghost master of technology.*Splitting Images- (Aired April 24, 2004)- Danny must deal with a teenage ghost nerd who wants revenge on bullies for what he had to suffer through.Disc 2:What You Want (Aired May 1, 2004)- When Danny\'s best friend Tucker expresses jealousy over his ghost power, he gets his wish to have one of his own by ghost genie Desiree, but he\'s slowly succumbing to its ghostly powers.*Bitter Reunions (Aired May 8, 2004)- An invite to Jack and Maddie\'s college reunion goes wrong when Danny meets with another half ghost like himself, Vlad Masters.Prisoners of Love (May 15, 2004)- Danny gets caught by law enforcer ghost Walker in the ghost zone and sentence to spend 1000 years in prison alongside with his old foes, all the while facing the possibility of his parents getting divorced!My Brother\'s Keeper (Aired June 25, 2004)- A new guidance counselor named Penelope Spectra starts a chain reaction of depressed students while Jazz tries to figure out her brother\'s strange behavior.Shades of Gray (Aired September 24, 2004)- An encounter with Danny Phantom and a ghost dog turns Valerie\'s life upsidedown. Now she swears revenge on Danny and the ghost dog for ruining her life.Disc 3:*Fanning the Flames (Aired October 8, 2004)- Ember, a rock star ghost, uses her music to take over the world. To keep Danny Phantom from interfering with her plans, she puts a love spell on him so that Danny falls madly in love with Sam.*Teacher of the Year (Aired October 15, 2004)- As Technus invades the contents of an online game, Lancer makes sure Danny works hard to pass his grade."13" (Aired November 5, 2004)- Jazz falls madly in love with a biker unaware he is a ghost sent by his girlfriend, Kitty to find a suitable host for her to live in.Public Enemies (Aired October 28, 2004)- Walker plans to make Danny Amity Park\'s public enemy #1 while Danny befriends a ghost wolf named Wulf.*Fright Night (Aired October 29, 2004)- Danny and Dash compete to put on the best Halloween exhibit, so when Danny reads up in the legend of the Fright Knight, he takes his sword only for the Fright Knight to invade Amity Park.Disc 4:Maternal Instincts (Aired February 18, 2005)- Maddie, wanting to bond with her son, takes Danny to a mother/son convention, only to be tricked and ending up right in the Rocky Mountains where Vlad suspiciously awaits for them both.Lucky in Love (Aired February 11, 2005)- Paulina suddenly has a desire to date Danny after witnessing his secret as the ghost boy, much to his joy, but things turn sour when Johnny 13 crashes the party.Life Lessons (Aired February 25, 2005)- Danny and Valerie hardly get along, but unfortunately the two are stuck watching over a flour sack for school while at the same time having to avoid Skulker, who is clearly on both their tails.The Million Dollar Ghost (Aired June 3, 2005)- Vlad Plasmius sends a million dollar bounty on Danny\'s head to keep him busy while he steals the Fenton\'s ghost portal.Control Freaks (Aired June 17, 2005)- When Sam hears about the new Goth circus, Circus Gothica, her overprotective, over peppy parents forbid her. She still goes, and discovers the ringmaster, Freakshow, uses a staff that control ghosts and has come to add Danny to his employment.Note: Episodes marked with a * means that the episodes were repeated from the Nick Picks DVD\'s.5 episodes are repeated on this DVD.Nice DVD for the fans.',
'overall': 5.0,
'summary': 'Good DVD for any DP fans',
'unixReviewTime': 1307923200,
'reviewTime': '06 13, 2011'},
{'reviewerID': 'A3H2OGH3F88VFL',
'asin': 'B000H0YRNY',
'reviewerName': 'A.Sanchez',
'helpful': [0, 0],
'reviewText': 'Kept them entertained and I always liked this show good graphics and the kids really really really liked it a lot',
'overall': 5.0,
'summary': 'Awesome!',
'unixReviewTime': 1394150400,
'reviewTime': '03 7, 2014'},
{'reviewerID': 'ACVPB7O29WMTH',
'asin': 'B000H0YRNY',
'reviewerName': 'A. Steenekamp',
'helpful': [2, 3],
'reviewText': 'Danny Phantom is one of the best Nick tv shows I have ever seen. I am one of theworlds greatest fans of the series. The story of a forteen year old average simple minded teenage boy with two friends that keeps on being mocked and bullied buy theself appointed "cool group" of the other schollars his own age who suddenly gotghost powers by accident because his friends pushed him into going into the ghost portal that didn\'t function correctly when he accidently whithout noticing pressed the button inside it is brilliant! When you see the ghost that came to life inside him and created the his ghost self it is actually quite clear that he isn\'t just half-half, but two in one. He became two and existed in two forms. His plain ordinary live human self and his live lifeless ghost self with all the powers. There are several episodes as proof of this. The first is the "Splitting Images"episode when Danny was mistaken for being the bully by Poindexter when he took overDanny\'s body and drove Danny Phantom through the mirror into his world. When Poindexter got thrown back through the mirror with Danny\'s body into his own worldDanny tells him "Now I want my body and my life back!". The second time is in thecomedy episode of "Identity Crisis". When Danny tried to get rid of his ghost self.By using his dad\'s ghost catcher he seperated his ghost self from his human selfand they both got mad and acted like clowns. Another one is "The Ultimate Enemy" When Danny again seperated his ghost self from his human self aswell as Vlad. When Danny did this his ghost self lost all controll over himself and became furious and combined with Vlad\'s ghost self and since Vlad is evil and seriously wanted to murder Jack aswell as Danny, Danny killed his human self. The main reason why I amso mad about this show is because of all the things his ghost self does. All thesuperhero stuff he does and adventures he has in his ghost form and all the natural obstacles he has to deal with everyday as his normal human self. Also ifyou think about it it is quite true that his normal human self will grow up, get older and some time, somewhere his last hour will come and he will pass away but hisghost self, (who actually is also Danny Fenton but is just given a more ghostly likenickname by his human self and also to hide his true identity), will always be there looking and sounding exactly the same as his 14 year old human self becauseghosts never ages because they are lifeless. He\'ll even be able to attend his ownfuneral. And during the years of his adult life he\'ll always look like his 14 year old self whenever he goes ghost. He\'ll always be there for centuries to come along with all the other ghosts of deceased people like Johnny 13, Kitty, Desiree, Ember Mclain, possibly Walker and Technus, the Box Ghost etc. These are just some of the reasons why I love this show so much and why I am such a big fan of it.',
'overall': 5.0,
'summary': 'The Teen Ghostboy',
'unixReviewTime': 1272585600,
'reviewTime': '04 30, 2010'},
{'reviewerID': 'AQ2QVCN3GRA0T',
'asin': 'B000H0YRNY',
'reviewerName': 'A. Wittl',
'helpful': [2, 3],
'reviewText': 'Of course, the biggest problem are the missing episodes. It\'s NOT the complete first season, but seeing as a lot of people already complained about that, I won\'t discuss that in detail. It just makes you feel like you\'ve been cheated. After all the text on the DVD itself lies to you and it isn\'t really cheap, either.Before those DVDs were "released" I had bought all episodes in digital form and created my own box-sets. And I have to say, I actually still prefer those. The "design" of this DVD is just loveless, everything seems simply slapped on. Every fan could make a hundred times more appealing one.The quality of the DVDs is decent, but strangely enough they don\'t work on my player. I have a RC2-Player, so it sort of figures, but it never had problems with any RC1-DVD. It actually opens the DVD and shows the menu (again, totally loveless, doesn\'t even have any kind of BG-music), but it won\'t play the episodes. Huh. Comes with the DVD-on-demand, I guess.But I knew about all those points (except for the DVD-player problem), so why did I still buy it? Because I\'m a *Phan*, that\'s why. I don\'t know if Danny Phantom will ever get a real DVD-set, so I am glad for every chance I have to get an "official" DVD./EDIT: FORGET WHAT I SAID.They changed the set so it now includes ALL EPISODES as advertised!!! THANK YOU SO VERY VERY MUCH.',
'overall': 5.0,
'summary': 'At least something',
'unixReviewTime': 1252627200,
'reviewTime': '09 11, 2009'},
{'reviewerID': 'A24UWNAXCNVKVA',
'asin': 'B000H0YRNY',
'reviewerName': 'bea',
'helpful': [1, 1],
'reviewText': 'Came in new packaging Season 1, easy to rate this item my son loves this cartoon. Will buy again from this person.',
'overall': 5.0,
'summary': 'Danny Phatom',
'unixReviewTime': 1358467200,
'reviewTime': '01 18, 2013'},
{'reviewerID': 'AV4ZRQ5DGD0TD',
'asin': 'B000H0YRNY',
'reviewerName': 'binoy modeyl',
'helpful': [0, 0],
'reviewText': 'LIKED IT!',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1405123200,
'reviewTime': '07 12, 2014'},
{'reviewerID': 'A0009988MRFQ3TROTQPI',
'asin': 'B000H0YRNY',
'reviewerName': 'Bob Macky',
'helpful': [0, 0],
'reviewText': 'Butch Hartman Does it Again. Amazing Voice Over Actors, Very Good Storyline To Follow.What else can a person ask for in animation.',
'overall': 5.0,
'summary': 'Just Like Old Times',
'unixReviewTime': 1371513600,
'reviewTime': '06 18, 2013'},
{'reviewerID': 'A2W5XQHY565OBX',
'asin': 'B000H0YRNY',
'reviewerName': 'Capo',
'helpful': [4, 5],
'reviewText': 'So many fans have wanted these for so long, it is a sincere pleasure to see that Nickelodeon has finally produced this item for us. "Danny Phantom" is probably the most well-written and beautifully-animated series Nick has ever run, and I can\'t wait to get my discs. Thanks, Amazon!',
'overall': 5.0,
'summary': 'Danny Phantom DVDs. FINALLY!',
'unixReviewTime': 1220054400,
'reviewTime': '08 30, 2008'},
{'reviewerID': 'A2KBPIXFM1OG21',
'asin': 'B000H0YRNY',
'reviewerName': 'Carmen R. Northcote V "kai phantom"',
'helpful': [1, 2],
'reviewText': "I have waited this for months as well as danny's fans.It is like one of my dreams con¿me true.I can't wait to have in my hands(as well as season 2 and 3)Danny Phantom Rocks!!!!!!!!!!",
'overall': 5.0,
'summary': 'Yess! Danny is on DVD',
'unixReviewTime': 1221436800,
'reviewTime': '09 15, 2008'},
{'reviewerID': 'A3MJ3RW7BVA8MQ',
'asin': 'B000H0YRNY',
'reviewerName': 'Carol Kassel',
'helpful': [0, 0],
'reviewText': "My daughter started watching this show. She is a fan of Johnny Test and Kick Buttowski, and if your kid likes those, they'll like this, too.",
'overall': 5.0,
'summary': 'Great for a seven-year-old!',
'unixReviewTime': 1379116800,
'reviewTime': '09 14, 2013'},
{'reviewerID': 'A3C93490EI35E9',
'asin': 'B000H0YRNY',
'reviewerName': 'Cheryl Carroll "truckerbabe"',
'helpful': [0, 0],
'reviewText': "she started it and left it. didn't like the action on it. would not have chosen if she were older to decide her level of programs for her age.",
'overall': 1.0,
'summary': 'boy show',
'unixReviewTime': 1393027200,
'reviewTime': '02 22, 2014'},
{'reviewerID': 'A2KQD1AWLN2BWF',
'asin': 'B000H0YRNY',
'reviewerName': 'Chris',
'helpful': [0, 0],
'reviewText': 'My kid loves this show. He was sad when it stopped coming on. He loves that he has full access to it.',
'overall': 5.0,
'summary': 'Phantom Rocks',
'unixReviewTime': 1378944000,
'reviewTime': '09 12, 2013'},
{'reviewerID': 'A2JVP29EX912S1',
'asin': 'B000H0YRNY',
'reviewerName': 'Christie Hollie',
'helpful': [0, 0],
'reviewText': 'Danny Phantom is made by this same people who created the Fairy oddparents. It has a great sense of humor for your teens.',
'overall': 5.0,
'summary': 'If you like the Fairy oddparents and ghosts then you will love this show!',
'unixReviewTime': 1399075200,
'reviewTime': '05 3, 2014'},
{'reviewerID': 'A1J3PYRY94FA2Z',
'asin': 'B000H0YRNY',
'reviewerName': 'Christina L. Major "Chrissykouhai"',
'helpful': [1, 1],
'reviewText': "I love Danny Phantom and I am still a fan as of now. However, when I got both season 1 and 2 (or so it claims on the DVDs) I was thinking I would have all the eps and watch them even after the show was canceled. However, I was very disappointed to see only just half the eps from season 1 on the first packet and the rest of it on the second one with just a few eps of season 2. My advice for all of you who love Danny Phantom and want all of the seasons, don't get these DVDs. Buy them somewhere legally online and download them to your PC and watch them from there.",
'overall': 3.0,
'summary': 'Big disappointment',
'unixReviewTime': 1306972800,
'reviewTime': '06 2, 2011'},
{'reviewerID': 'A279WND5PHBXUU',
'asin': 'B000H0YRNY',
'reviewerName': 'Christine Hoover',
'helpful': [0, 0],
'reviewText': 'My daughter loves this series. She was so excited that she could watch this again with Amazon Prime. Loving it!',
'overall': 4.0,
'summary': 'Great theme song',
'unixReviewTime': 1398643200,
'reviewTime': '04 28, 2014'},
{'reviewerID': 'A1QXQEBOR7U2H0',
'asin': 'B000H0YRNY',
'reviewerName': 'Christopher Telfair',
'helpful': [1, 1],
'reviewText': "One of the best cartoons Nickelodeon cancelled, I'm glad I can relive a small portion of my childhood through Amazon.",
'overall': 5.0,
'summary': 'Danny Phantom',
'unixReviewTime': 1365984000,
'reviewTime': '04 15, 2013'},
{'reviewerID': 'A162CAV2WZU37B',
'asin': 'B000H0YRNY',
'reviewerName': 'C. Messer "iceman"',
'helpful': [0, 0],
'reviewText': "Great tv show, they don't make them like these anymore :(Also a big plus because netflix doesn't have it :)",
'overall': 5.0,
'summary': 'Loved on TV. . . . Love it Now!',
'unixReviewTime': 1374710400,
'reviewTime': '07 25, 2013'},
{'reviewerID': 'A2O4R6E9GUVADV',
'asin': 'B000H0YRNY',
'reviewerName': 'Courtney',
'helpful': [0, 0],
'reviewText': "I was very satisfied with this product.. I've watched this show since I was a little kid.. I received prompt service and my product was here on time and in really good condition. Very satisfied. Will buy from again..",
'overall': 5.0,
'summary': 'Very Satisfied with Product',
'unixReviewTime': 1379721600,
'reviewTime': '09 21, 2013'},
{'reviewerID': 'A2FRKEXDXDN1KI',
'asin': 'B000H0YRNY',
'reviewerName': 'Dennis A. Amith (kndy)',
'helpful': [2, 2],
'reviewText': 'In 2004, American animator and series creator Butch Hartman had created the animated series "Danny Phantom". Aired on Nickelodeon in 2004-2007, the series was produced by Billionfold Studios."Danny Phantom" is a series that focused on the adventures of a teenager named Danny Fenton who has parents who are well-known ghost hunters. His parents created a Ghost Portal which would bridge the real world with the Ghost Zone but when Danny tried to use it, the Ghost Portal didn\'t work. But while inside the portal, he turned on the "on" button (which his parents forgot existed) and it activated the portal.Because he was inside of the portal, the portal fused with his DNA with ectoplasm and now he has been transformed into Danny Phantom.The only one that knows his secret is his best friends Sam (a goth vegetarian) and Tucker (who is a technophile and a meat-lover) but somehow Danny\'s parents have an inkling that one of their children may be a ghost but instead of think Danny is the ghost, they think it\'s his older sister Jasmine.But Danny now has these powers that allow him to be a ghost which allows him to fly, be invisible and eventually through the season, learns that he has other powers. And now, Danny uses his powers for good against bad ghosts that are plaguing his hometown.While the series has been released on DVD before (albeit not including all episodes which frustrated "Danny Phantom" fans), the license for "Danny Phantom" has been acquired by Shout! Factory and fortunately, the first season of "Danny Phantom" will feature all 20 episodes on DVD.Episode listing on "Danny Phantom: Season 1\' DVD are as follows (note: these are spoilerless summaries):DISC 1:EPISODE 1 - Mystery Meat - Danny uses his new ghost powers to take on the ghost Lunch Lady.EPISODE 2 - One of a Kind - Skulker the ghost hunter has his target set on Danny Phantom.EPISODE 3 - Parental Bonding - Danny uses his "overshadowing" power to take control of his dad during a parent-teacher conference. Meanwhile, a ghost amulet turns a girl that Danny likes into a dragon.EPISODE 4 - Attack of the Killer Garage Sale - Danny sells his parents ghost hunting junk, not knowing that the objects have residual ghost energy and now he must take on Technus, the Spectral Master.EPISODE 5 - Splitting Images - Danny uses his power to get back at Dash, the school bully but accidentally triggers the ghost of Poindexter, a kid who was bullied.DISC 2:EPISODE 6 - What You Want - Wish granter Desiree gives Tucker ghost powers.EPISODE 7 - Bitter Reunions - Danny meets his evil opposite, Vlad Plasmius.EPISODE 8 - Prisoners of Love - Danny fears that he may be breaking his parents up when he accidentally knocks his father\'s anniversary gift to the Ghost Zone.EPISODE 9 - My Brother\'s Keeper - Jazz mistakes her younger brother\'s ghost hunting as a form of depression and signs him up for therapy.EPISODE 10 - Shades of Gray - A ghost wrecks a popular co-ed\'s school life and now she becomes a ghost hunter.DISC 3:EPISODE 11 - Fanning the Flames - Danny and Sam become romantic thanks to the musical powers of ghost rocker, Ember.EPISODE 12 - Teacher of the Year - Lancer and Danny\'s parents put pressure on him to ace a test. Meanwhile, Technus escapes into Danny\'s online game.EPISODE 13 - 13 - Jazz falls for a boy ghost, Johnny 13. Danny must become the overprotective one.EPISODE 14 - Public Enemies - Amity Park is invaded by ghosts and the ghost sheriff wants to capture Danny Phantom.EPISODE 15 - Fright Night - Danny vs. Dash in a haunted house decorating contest.DISC 4:EPISODE 16 - Maternal Instinct - Maddie wants to bond with her son during the mother/son science seminar.EPISODE 17 - Lucky in Love - Paulina witnesses Danny\'s ghost transformation.EPISODE 18 - Life Lessons - Danny and Valerie Gray are forced to become parents to a sack of flour for a school assignment. Meanwhile, Skulker tries to pit the two against each other.EPISODE 19 - The Million Dollar Ghost - Vlad Master\'s ghost portal explodes and now he wants to use Jack Fenton\'s ghost portal to replace it.EPISODE 20 - Control Freaks - Sam wants to attend the Goth circus, but she is unaware that the performers are ghosts.VIDEO & AUDIO:"Danny Phantom: Season 1\' is presented in full screen (1:33:1) and presented in Dolby Digital. For those familiar with this animated series, "Danny Phantom" uses strong lines around the characters and bold colors. In fact, the series is quite vibrant and colorful and looks great on DVD.Dialogue, special effects and music are quite clear coming through the center and front channels. I chose to watch the series via stereo on all channels for a more immersive soundscape but for the most part, picture and audio quality for this series on DVD is very good.SPECIAL FEATURES:"Danny Phantom: Season 1\' comes with no special features.JUDGMENT CALL:In our household, Butch Hartman animated series reigns supreme. Every morning, my young son must have his dose of "The Fair Odd Parents" or "T.U.F.F. Puppy" and before these two series, he was all about "Danny Phantom".If anything, it was an introduction for him as a young child to watch a series that brings a ghost hunter taking on bad ghosts in a hilarious and fun way.And many times I have watched this series with him and what I liked about it is that it was a series crafted not just for the kids but also for teens or adults. These were continuous storylines that feature a young teenager with his powers and also dealing with high school bullies, being unpopular but enjoying life by hanging out with friends but taking on bad ghosts. So, in a way, it has a similarity to popular superhero storylines such as Spider-Man and Superman (but in a more Dr. Strange meets Ghostbusters kind of way). And also, he is a character that is not perfect and that many kids probably can relate to.Also, the artistic look of the series, especially with its character designs and its bold strokes will no doubt capture your attention and it\'s a visual style that continues today through Hartman\'s latest animated series.But the series has a lot of factors that make is so accessible and entertaining. From Danny\'s family to his best friends but also the other characters that he meets through school or the ghosts that he encounters, there\'s always something new in each episode and not rehash of the same stories over and over again.As for the DVD release, yes, this has been released before but in the past, not all episodes were included. With this latest DVD release from Shout Factory, you get all 20-episodes on four DVD\'s and one can only hope that Shout continues to bring the other two seasons (including the specials and possibly newer episodes) on DVD as well.Overall, if you were a big fan of "Danny Phantom" or young at heart and want an animated series with a ghost-busting storyline, definitely give "Danny Phantom: Season 1\' a try!',
'overall': 5.0,
'summary': 'All 20 episodes from the first season in one DVD release... Awesome!',
'unixReviewTime': 1335571200,
'reviewTime': '04 28, 2012'},
{'reviewerID': 'A3CEQKC9AJ1PD',
'asin': 'B000H0YRNY',
'reviewerName': 'Diana Ferguson',
'helpful': [0, 0],
'reviewText': 'My grandson was introduced to this showfor the first time, he is 5 yrs old and has fallen in love with it. All he wants to do is watch Danny Phantom! He says he loves the show and it keeps him glued to the TV when its on. I also enjoy watching them with him, Thank You for a Great Cartoon!!',
'overall': 5.0,
'summary': 'Fantastic Cartoon, Keeps Kids Interested!',
'unixReviewTime': 1388448000,
'reviewTime': '12 31, 2013'},
{'reviewerID': 'A1TDKCCAIAVEU8',
'asin': 'B000H0YRNY',
'reviewerName': 'D. P. Dahlke',
'helpful': [3, 3],
'reviewText': "When I first saw season one and two on Amazon, they couldn't be ordered. They just came back and season one is complete and in the proper order! Episodes one through twenty accounted for. I figure they removed it to deal with the complaints about the original discs. There are still some minor glitches in the packaging. They didn't change the picture with one actually from season one, and there is a misspelling on one of the episodes one the back (I'll let you figure out which one). There are also still no extra features.Please read my review about season 2 before ordering, though.",
'overall': 4.0,
'summary': 'They Fixed It!!! Full Season',
'unixReviewTime': 1257811200,
'reviewTime': '11 10, 2009'},
{'reviewerID': 'A3BVU43JXS5KYR',
'asin': 'B000H0YRNY',
'reviewerName': 'Duo',
'helpful': [0, 0],
'reviewText': "My favorite show! It's great to watch it on a high quality stream with no commercials! Brings back lots of good memories :)",
'overall': 5.0,
'summary': 'Best show',
'unixReviewTime': 1381968000,
'reviewTime': '10 17, 2013'},
{'reviewerID': 'A1J40GYX05QUIT',
'asin': 'B000H0YRNY',
'reviewerName': 'E. HENEGHAN "Certified Holistic Health & Nutr...',
'helpful': [4, 7],
'reviewText': "I am never happy when a purchase requires that you install the company's software. The vid is encrypted so that you need Amazon's player to view it. Blah. You're better off buying the DVD for $20 with all the episodes so at least you can watch the DVD somewhere other than your own computer.",
'overall': 1.0,
'summary': 'You have to download Amazon software into your PC...',
'unixReviewTime': 1172707200,
'reviewTime': '03 1, 2007'},
{'reviewerID': 'A17QOUN1YLARL7',
'asin': 'B000H0YRNY',
'reviewerName': 'Elyse',
'helpful': [0, 0],
'reviewText': 'I absolutely love this show, it just gets better and better with each episode. So sad they cancelled it!! :(',
'overall': 5.0,
'summary': 'Best Show!',
'unixReviewTime': 1380758400,
'reviewTime': '10 3, 2013'},
{'reviewerID': 'A2ILHTVGYUZHI0',
'asin': 'B000H0YRNY',
'reviewerName': 'Farmgal699',
'helpful': [2, 2],
'reviewText': 'First of all, it is nice to see this show available on DVD, especially for those of us who don\'t want to watch it on a 2 inch screen on an ipod. The bad news is, this is a \'print-on-demand\' disc that has a lot of glitches in it. As stated in the product description, it is recorded on DVD-R discs and is a manufacture on demand product. Although it has a slick package design, complete with the Nickolodeon logo and a bar code, and full color imprinted discs, I still can\'t help but feel that this is little more than something I could have made by setting my DVD recorder to tape the show when it airs. As a DVD-R disc, it has all the glitches one expects from "homemade videos." As stated in the product description, it will not play in a DVD-rom or computer drive, but I expected it to playback in a regular DVD player. Uh, no--my multi-disc player had difficulty reading the disc, as did my portable player, and it got hung up at certain points. There was nothing more annoying that getting half way through an episode and finding that you wouldn\'t get to see the end because of the glitch. incidentally, if you fast-forward the disc, it can bypass the glitch, but you will miss the dialogue. There are some duplication bloopers as well--for example, after the commercial break, sometimes entire lines of dialogue and even entnire scenes get repeated.Another important aspect is that this is not the "complete season 1" as the package and advertising might lead you to believe--it is actually only the first half of the first season. The episodes are: (1)Mystery Meat (2)One of a Kind (3)Parental Bonding (4) Attack of the Killer GArage Sale (mistakenly titled "Attack of the Garage Sale") (5) Splitting Images (6)What You Want (7) Bitter Reunions (8)Prisoners of Love (9)My Brother\'s Keeper (10) Shades of Gray (11)Fanning the Flames (12)Teacher of the Year and (13) "13". The first 2 discs feature 5 episodes and the last one has only 3, which seemed to be a waste of a disc. There are no extra features or even subtitles and captioning is non existent, so at the price of $30 plus, it is not qorth it. The full series is available on I-Tunes so it is not as if there is no demand for it. If you can\'t wait and don\'t want to watch it on an ipod, go ahead and purchase the disc; if you don\'t mind tiny graphics and a 1 inch screen, go to the Itunes store.',
'overall': 4.0,
'summary': 'Decent DVD, but lots of technical glitches',
'unixReviewTime': 1248912000,
'reviewTime': '07 30, 2009'},
{'reviewerID': 'A33A374T4503Y1',
'asin': 'B000H0YRNY',
'reviewerName': 'Flixster',
'helpful': [6, 7],
'reviewText': 'I am a huge Danny Phantom "phan", and have restrained myself from buying the overpriced "dvd-r" season copies when they were out. My patience has paid off! Now, I have purchased this much more affordable official release of the first season. The first 20 episodes of the first season are included. Sadly, this release is "bare bones", so there is no extra content whatsoever :( All that is included is the episodes themselves. The episode titles are listed on the inside of the dvd box and the dvd menu plays the theme song with scrolling art in a loop. Also, the dvd case is very thin compared to most complete season boxes, so it\'s pretty easy to store. There\'s not much more to say about this product. Hopefully, this season will sell well, so Danny Phantom phans can eventually get a second season release with plenty of extras :)',
'overall': 5.0,
'summary': 'At last we have Danny Phantom on dvd!!!',
'unixReviewTime': 1315958400,
'reviewTime': '09 14, 2011'},
{'reviewerID': 'A1I4YAA9N1VVU7',
'asin': 'B000H0YRNY',
'reviewerName': 'fonts "gayle"',
'helpful': [0, 0],
'reviewText': 'I have watched a little of this just to make sure its ok for my 4 yr old grandson to watch and its is. No foul language. He loves it and watches it a lot.',
'overall': 5.0,
'summary': 'Lots of Action',
'unixReviewTime': 1394755200,
'reviewTime': '03 14, 2014'},
{'reviewerID': 'AN175XHIN3P8C',
'asin': 'B000H0YRNY',
'reviewerName': 'Gerold Ransom "G Mon\'e"',
'helpful': [0, 0],
'reviewText': 'This is a classic show that I like even though the animation looks plain I like the story behind them.',
'overall': 5.0,
'summary': 'funny show',
'unixReviewTime': 1379548800,
'reviewTime': '09 19, 2013'},
{'reviewerID': 'A3I1DD9TOGQBJD',
'asin': 'B000H0YRNY',
'reviewerName': 'Grant M. Hortin',
'helpful': [1, 2],
'reviewText': "As the title says, this set is a mixed review.The good, looks like they got the COMPLETE season out, not part like in the first release.The bad, the physical discs themselves are cheap DVD-Rs, not even real commercial quality DVDs. This means they are very delicate and most likely will degrade in a year or two as the purple dye fades. The authoring on them is slipshod, I couldn't even play the first disc on an older DVD player without the disc skipping and the picture being pixilated beyond anything watchable. Ended up having to watch it on my PS3.I really, really wanted the series and when it's finally released, it looks like a cheap pirate job. I am sorely disappointed in Nickelodeon, but unless its released on Blu-ray, I hate to say this is the only way to get the series.",
'overall': 1.0,
'summary': 'Mixed review',
'unixReviewTime': 1270339200,
'reviewTime': '04 4, 2010'},
{'reviewerID': 'A12DP1N6H8L8G4',
'asin': 'B000H0YRNY',
'reviewerName': 'Greg J. "Sindisil"',
'helpful': [0, 0],
'reviewText': "My 9 year old son says he'd give it another half a star, if the plots weren't so obvious. I've watched a few episodes, and agree with him: Scooby Doo level plots, at best; usually not even that good.Still, there are some decent characters, actual character development (missing in most kids shows, sadly), and the occasional decent story.",
'overall': 4.0,
'summary': 'Pretty good, if predictable.',
'unixReviewTime': 1388793600,
'reviewTime': '01 4, 2014'},
{'reviewerID': 'AGZ3YG004V1VI',
'asin': 'B000H0YRNY',
'reviewerName': 'handydandy "Music lover"',
'helpful': [0, 0],
'reviewText': 'My kids and I love this cartoon. So glad that Amazon prime has it since it no longer airs regularly.',
'overall': 5.0,
'summary': 'Danny Phantom',
'unixReviewTime': 1402444800,
'reviewTime': '06 11, 2014'},
{'reviewerID': 'ATEV7I07W7YS6',
'asin': 'B000H0YRNY',
'reviewerName': 'Hector V. Cancino',
'helpful': [0, 0],
'reviewText': 'my boy Matthew keeps watching the movie, loves it and talks to his friends about it, a must see cartoon series',
'overall': 5.0,
'summary': 'My kid loved it',
'unixReviewTime': 1375574400,
'reviewTime': '08 4, 2013'},
{'reviewerID': 'A1U5IFDSVZCH0P',
'asin': 'B000H0YRNY',
'reviewerName': 'HomeschoolMom123',
'helpful': [0, 0],
'reviewText': "I love this show!!A must-see with anyone who is careful about what their kids watch!If you like ghosts, of idiot fathers this is the perfect and remember, "He's Danny Phantom!"",
'overall': 5.0,
'summary': 'This Show Rocks!!!',
'unixReviewTime': 1383696000,
'reviewTime': '11 6, 2013'},
{'reviewerID': 'A2DF0XQTH4KPRJ',
'asin': 'B000H0YRNY',
'reviewerName': 'IRJ "SG"',
'helpful': [1, 2],
'reviewText': "I am a mother, a professional, and I don't watch TV. I simply get bored too easily with the current programming. And yet I love Danny Phantom. Watching an episode at the end of a busy day helps me unwind.Thanks, Amazon, for the release of the DVD's. Nickelodeon is the only one to blame for the delivery delays, for not making mass-produced box sets.",
'overall': 5.0,
'summary': 'The best cartoon I have seen in more than 30 years',
'unixReviewTime': 1222473600,
'reviewTime': '09 27, 2008'},
{'reviewerID': 'A4TF9LS39NGP',
'asin': 'B000H0YRNY',
'reviewerName': 'izabella',
'helpful': [0, 0],
'reviewText': "First of all I would recommend this product to everyone who loves Danny Phantom! I chose this rating because it is AMAZING! This was super and it wasn't opened yet! It came on the exact date too!",
'overall': 5.0,
'summary': 'It is AMAZING!',
'unixReviewTime': 1371168000,
'reviewTime': '06 14, 2013'},
{'reviewerID': 'A320PKM24PC4P8',
'asin': 'B000H0YRNY',
'reviewerName': 'James R. Ellenbacher',
'helpful': [0, 0],
'reviewText': "Danny Phantom is a Cartoon that anyone can watch. I'm in my early 50's and I enjoy watching this series even when the kids aren't with me. The artwork is good, clean and simple enough to leave the story to be featured. The stories are fun and not overly complicated. As a Kids cartoon, it has good characters and good character development.The theme song was nicely written and very well preformed.Great to share with kids and fun enough to relax with when you want easy entertainment.",
'overall': 5.0,
'summary': 'good clean fun',
'unixReviewTime': 1393977600,
'reviewTime': '03 5, 2014'},
{'reviewerID': 'A2HFN6F045KR1S',
'asin': 'B000H0YRNY',
'reviewerName': 'Jason Driskill',
'helpful': [1, 1],
'reviewText': 'Hours and Hours of Danny Phantom, no more changing channels.. I would recommend this dvd set if your kids are into danny..',
'overall': 5.0,
'summary': 'Do the Phantom',
'unixReviewTime': 1359331200,
'reviewTime': '01 28, 2013'},
{'reviewerID': 'A10HUGT0HKQA9A',
'asin': 'B000H0YRNY',
'reviewerName': 'JB',
'helpful': [0, 0],
'reviewText': 'Great cartoon! I loved watching it when I was a teen and was so excited when I found it on Amazon. I turned it on and let my 4 year old watch it now thats all he requests. I would rather watch this over all the other shows my son likes.',
'overall': 5.0,
'summary': 'Family Favorite',
'unixReviewTime': 1401235200,
'reviewTime': '05 28, 2014'},
{'reviewerID': 'A14XT5GHSYRBPH',
'asin': 'B000H0YRNY',
'reviewerName': 'jeff',
'helpful': [0, 0],
'reviewText': "A well liked favorite that's always enjoyable for the whole family and is comic and the kids continually like it!",
'overall': 5.0,
'summary': 'Nick Favorites',
'unixReviewTime': 1397260800,
'reviewTime': '04 12, 2014'},
{'reviewerID': 'AAAA7JDCY0O11',
'asin': 'B000H0YRNY',
'reviewerName': 'J. Murdock',
'helpful': [0, 0],
'reviewText': 'My kids like the show and I like it alright as well. It is an entertaining and well made cartoon.',
'overall': 4.0,
'summary': 'My kids love it',
'unixReviewTime': 1370649600,
'reviewTime': '06 8, 2013'},
{'reviewerID': 'ASMRFL4XR1XIW',
'asin': 'B000H0YRNY',
'reviewerName': 'Julia Martin',
'helpful': [0, 0],
'reviewText': 'My kids love Danny Phantom. The show is awesome and the quality of the recording is very good. I even sit and watch it with them sometimes.',
'overall': 5.0,
'summary': 'great show good quality',
'unixReviewTime': 1376956800,
'reviewTime': '08 20, 2013'},
{'reviewerID': 'A16HX71MQQMC3Y',
'asin': 'B000H0YRNY',
'reviewerName': 'juna',
'helpful': [0, 0],
'reviewText': "My kids love Danny Phantom. Since its no longer on the regular cable network they've missed. This was a nice surprise for them.",
'overall': 3.0,
'summary': 'Phantastic!',
'unixReviewTime': 1384473600,
'reviewTime': '11 15, 2013'},
{'reviewerID': 'A1ZIBE4FHFD9TR',
'asin': 'B000H0YRNY',
'reviewerName': 'J. Webber "zetroc"',
'helpful': [0, 0],
'reviewText': "For the quality and fun the artists put into this one, it's well worth the time. It was good fun to see my children locked onto this show.",
'overall': 4.0,
'summary': 'Fun adventure for those who love wackiness.',
'unixReviewTime': 1377993600,
'reviewTime': '09 1, 2013'},
{'reviewerID': 'A2FIEGLVUC5FXP',
'asin': 'B000H0YRNY',
'reviewerName': 'J. Wells "wells"',
'helpful': [0, 0],
'reviewText': 'Love Danny Phantom. I remember watching it when I was a kid its nice to watch those types of shows again. I would seriously spend serious money to see it continued. Lol',
'overall': 5.0,
'summary': 'Love it!',
'unixReviewTime': 1397952000,
'reviewTime': '04 20, 2014'},
{'reviewerID': 'A1L69WCWXP8MZX',
'asin': 'B000H0YRNY',
'reviewerName': 'katie Hayden',
'helpful': [0, 0],
'reviewText': 'i chose this because i love this show also i would recommend this to kids who like the oldish television shows',
'overall': 5.0,
'summary': 'Awesome oldish tv show',
'unixReviewTime': 1394064000,
'reviewTime': '03 6, 2014'},
{'reviewerID': 'A2FMIXFGK9YE1V',
'asin': 'B000H0YRNY',
'reviewerName': 'Keisha',
'helpful': [0, 0],
'reviewText': "My son loves it and so do we it's not to much violence involved . Try it you will see",
'overall': 5.0,
'summary': 'awesome',
'unixReviewTime': 1387065600,
'reviewTime': '12 15, 2013'},
{'reviewerID': 'A38GS3JJBZL5VU',
'asin': 'B000H0YRNY',
'reviewerName': 'Kelly L. Taylor',
'helpful': [0, 0],
'reviewText': 'Happy to get these on disc. One of the few cartoons we all liked as a family. Despite some peoples concerns about the order of videos etc we had no problem and have enjoyed going through all of them.',
'overall': 5.0,
'summary': 'Danny Phantom',
'unixReviewTime': 1381622400,
'reviewTime': '10 13, 2013'},
{'reviewerID': 'A3LMJT58HOYUT4',
'asin': 'B000H0YRNY',
'reviewerName': 'K. Leach',
'helpful': [0, 0],
'reviewText': "The kids enjoy this, and that's good enough for me.",
'overall': 4.0,
'summary': 'Kid friendly',
'unixReviewTime': 1404086400,
'reviewTime': '06 30, 2014'},
{'reviewerID': 'A2MYSWMJVJGVQW',
'asin': 'B000H0YRNY',
'reviewerName': 'Kocha',
'helpful': [2, 2],
'reviewText': 'Just a note for anyone planning to buy; even though the item says "in stock" (as of today, Sept 18) there have been order delays. The email I just got says my discs, which I preordered some weeks ago, should be arriving (I\'m also outside the USA) in just over a month.These are supposedly the product of an exclusive deal between Amazon and Nickelodeon, which is why nobody else is selling them, and they\'re to be printed on demand...so possibly there\'s a big backlog of orders waited to be produced. I don\'t mind the delay so much if there\'s a lot of demand, it makes the chances of a season 3 set much higher. Just thought I\'d put the word out in case anyone\'s in a big hurry!',
'overall': 5.0,
'summary': 'Delayed',
'unixReviewTime': 1221696000,
'reviewTime': '09 18, 2008'},
{'reviewerID': 'AWBPETRTM28EW',
'asin': 'B000H0YRNY',
'reviewerName': 'Kristina Schubert',
'helpful': [0, 0],
'reviewText': 'My 3 y/o loves this cartoon. It may not be age appropriate, but fun. The adventures are silly and predictable, but fun to watch',
'overall': 4.0,
'summary': 'interesting cartoon',
'unixReviewTime': 1386979200,
'reviewTime': '12 14, 2013'},
{'reviewerID': 'A3O9KIX5LMOXE9',
'asin': 'B000H0YRNY',
'reviewerName': 'K Stevens',
'helpful': [0, 0],
'reviewText': "I bought this for my 20 year old daughter. She's been a huge fan of the show since she was a kid and it 1st aired on Nick. So when I had a chance to buy the series, I did. I thought it would take her back to her childhood and it did. She's also had a great time sharing it with her 11 year old brother for the 1st time. So all I've heard since they watched it is whining about Nick taking it off the air. Both my kids want it put back on the air and they'd both like to see new episodes come out. I've created a Danny Phantom Monster! But I think it was well worth it! They both really love the show!",
'overall': 5.0,
'summary': 'Great series',
'unixReviewTime': 1369267200,
'reviewTime': '05 23, 2013'},
{'reviewerID': 'AUP8EOPGMVO6C',
'asin': 'B000H0YRNY',
'reviewerName': 'Lala',
'helpful': [0, 0],
'reviewText': 'Brings back memories great show! Wish they had more seasons of it though. This was one of the best shows out at the time!',
'overall': 5.0,
'summary': 'Love!',
'unixReviewTime': 1401753600,
'reviewTime': '06 3, 2014'},
{'reviewerID': 'A160KU7P9YB7VH',
'asin': 'B000H0YRNY',
'reviewerName': 'Lalasqueak',
'helpful': [0, 0],
'reviewText': 'My 4-year old likes it. A little over his head some times but overall a cute show. Will keep watching.',
'overall': 3.0,
'summary': 'Pretty good',
'unixReviewTime': 1377734400,
'reviewTime': '08 29, 2013'},
{'reviewerID': 'A1KGURQ2PK7WBN',
'asin': 'B000H0YRNY',
'reviewerName': 'LindaC "LindaC"',
'helpful': [0, 0],
'reviewText': "My grandson, age 6, liked it. I was visiting and streamed it via Amazon Prime because he wanted to watch something on "Grandma's" ohone. 5 stars for Amazin Prime though!!!",
'overall': 3.0,
'summary': 'Grandson liked it',
'unixReviewTime': 1395878400,
'reviewTime': '03 27, 2014'},
{'reviewerID': 'A1NI16O7HWFXQI',
'asin': 'B000H0YRNY',
'reviewerName': 'Lion',
'helpful': [0, 0],
'reviewText': 'Okay, I\'m embarrassed to admit I like this. Heck, it\'s got ghosts, silly adults, and fantasy violence. What\'s not to like? And who knew that exposure to "ghost goo" could turn you into a superhero? Radiation, yes! Ghost goo? Live and learn!Recommended for cartoon action and a child\'s "ghosts are cool" attitude.Not recommended for someone who wants adult situations, educational programming, or "feel good" cartoons.',
'overall': 4.0,
'summary': 'Fun, Somewhat Silly and Stupid',
'unixReviewTime': 1381449600,
'reviewTime': '10 11, 2013'},
{'reviewerID': 'AXO4M8UMSQKH9',
'asin': 'B000H0YRNY',
'reviewerName': 'Loubna',
'helpful': [0, 0],
'reviewText': 'Great show, my son loves it. Thank you for having it as an option in the online list of movies.',
'overall': 5.0,
'summary': 'Great show',
'unixReviewTime': 1399593600,
'reviewTime': '05 9, 2014'},
{'reviewerID': 'A1N24KUI9E9D5Z',
'asin': 'B000H0YRNY',
'reviewerName': 'Marcy',
'helpful': [0, 0],
'reviewText': 'My kids are addicted to this series. My daughter is 18 and still rewatches this series all the time. Various ages in my household love it!',
'overall': 5.0,
'summary': 'Great show!!!',
'unixReviewTime': 1390521600,
'reviewTime': '01 24, 2014'},
{'reviewerID': 'A4PO2UZYFL3BT',
'asin': 'B000H0YRNY',
'reviewerName': 'Maribel Adam',
'helpful': [0, 0],
'reviewText': 'This is a great show, my kids really enjoy watching it. Too bad there were only 3 seasons of it!',
'overall': 5.0,
'summary': 'Great!',
'unixReviewTime': 1395705600,
'reviewTime': '03 25, 2014'},
{'reviewerID': 'A3TB9C3NKHGUFF',
'asin': 'B000H0YRNY',
'reviewerName': 'Mary D. "Twinsandmore"',
'helpful': [0, 1],
'reviewText': 'My kids really enjoy this series and it is appropriate for young age groups. I even watch it with them.',
'overall': 5.0,
'summary': 'Good clean show',
'unixReviewTime': 1400112000,
'reviewTime': '05 15, 2014'},
{'reviewerID': 'A3MG8ZTKPFZ1J6',
'asin': 'B000H0YRNY',
'reviewerName': 'Melanie Hinojosa',
'helpful': [0, 0],
'reviewText': 'I remember watching this when I was younger and now my 5 year old son likes watching it too. Nothing educational about it. Just good entertaiment.',
'overall': 5.0,
'summary': 'awesome',
'unixReviewTime': 1369440000,
'reviewTime': '05 25, 2013'},
{'reviewerID': 'A1S1HG9ASA9MKE',
'asin': 'B000H0YRNY',
'reviewerName': 'Mel "MamaBaer"',
'helpful': [0, 0],
'reviewText': "My son and I watched the whole series together when he was 3. It's not educational like many of the other shows he watches, but I can actually sit and watch it with him without wishing I could plug my ears.",
'overall': 4.0,
'summary': 'Fun for everyone',
'unixReviewTime': 1373500800,
'reviewTime': '07 11, 2013'},
{'reviewerID': 'A1URLVAB7T4IOS',
'asin': 'B000H0YRNY',
'reviewerName': 'M. House "Timerider"',
'helpful': [0, 0],
'reviewText': 'Great series! Art should "delight and instruct", and this one does both very effectively!',
'overall': 5.0,
'summary': 'Great series! Art should "delight and instruct"',
'unixReviewTime': 1405036800,
'reviewTime': '07 11, 2014'},
{'reviewerID': 'A137O4YBFF4I1K',
'asin': 'B000H0YRNY',
'reviewerName': 'Michael Wade Carter',
'helpful': [0, 0],
'reviewText': 'He enjoys watching this a lot. He even swipes my Kindle Tablet while I am sleeping to watch his cartoons : )',
'overall': 5.0,
'summary': 'Our lil one loves this..',
'unixReviewTime': 1371686400,
'reviewTime': '06 20, 2013'},
{'reviewerID': 'A21WUR6NRWP2DA',
'asin': 'B000H0YRNY',
'reviewerName': 'Molli Holmes',
'helpful': [0, 0],
'reviewText': 'I love this show. I was so exited when it came. It had all the episodes of the first season and plays flawlessly. Good price and a must buy.',
'overall': 5.0,
'summary': 'Great DVD',
'unixReviewTime': 1383177600,
'reviewTime': '10 31, 2013'},
{'reviewerID': 'A2LR2C89BYJR8Y',
'asin': 'B000H0YRNY',
'reviewerName': 'Monica Clements',
'helpful': [0, 0],
'reviewText': "My 5 year loves this show. He has watched so many times. He gets into it and it is hard to get him away from it. It is one of the few shows I don't mind him watching.",
'overall': 4.0,
'summary': 'My son loves it',
'unixReviewTime': 1400457600,
'reviewTime': '05 19, 2014'},
{'reviewerID': 'A2G6YDRUZYZJLC',
'asin': 'B000H0YRNY',
'reviewerName': 'Nadia J Wilson',
'helpful': [0, 0],
'reviewText': "I used to watch this show all the time. Now my son loves it. It's even better that he can watch as many episodes as he likes.",
'overall': 5.0,
'summary': 'Good',
'unixReviewTime': 1401494400,
'reviewTime': '05 31, 2014'},
{'reviewerID': 'A293B44ZW3VU9W',
'asin': 'B000H0YRNY',
'reviewerName': 'Neo Yi',
'helpful': [12, 13],
'reviewText': 'Danny Phantom did the impossible for this cynical viewer; it made me love cartoons all over again. A wonderful lighthearted gem that told the story of a boy growing up while handling his ghost powers in a children\'s network managed to create depth, character development, and story arcs that increasingly gets better each episode (unfortunately to drop by the poorly conceived Season Three).Season One starts at the beginning, where we\'re introduced to the main cast and their eccentric personalities. Little by little, the majority of them grow into their defined roles: Danny slowly gains confidence as he balances hero life with his normal alter ego, his older sister Jazz realizes the truth behind her brother and supports his decision in secret while softly embracing her family\'s ghost life, Valerie turns from a spoiled, rich brat to a kick butt ghost hunter out for revenge (and later, justice), etc. But truly it is the character Vlad Masters who shines with his debonair, mysterious, and complicated persona--his opposites and similarities with Danny all clear--a myth arc that plays a key role on Danny\'s struggle with darkness. There\'s a lot of continuity despite half of the episodes remaining as filler, but since it\'s the first season, those are meant to establish the characters and elements we all learned to love over time.THE GOOD: "Parental Bonding" takes in numerous subplots and mixes them flawlessly. "What You What" is a roller coaster look into Tucker\'s inferior complex towards his newly supercharged best friend, delivered without hamming the emotions or loosing any. "Bitter Reunions" breaks the status quo and marks the beginning of the manipulatively awesome Vlad. "Shades of Gray" takes a pre-existing character and breathes new life into her as Valerie turns from pampered princess to hardened ghost hunter. "Fanning the Flames" established a solid story while making the Danny/Sam romance lovable (a farcry when Season Three makes it deplorable). "Public Enemies" raises the bar by having an antagonist succeed and Danny maturing to accept his duties. "Maternal Instincts" gives a topnotch performance between the mother/son relationship between Danny and Maddie and "Control Freaks" managed to prove Sam is more then just Danny\'s would-be love interest. But the best episode in Season One is the magnificent "My Brother\'s Keeper" which begins the excellent character development of Danny\'s older sister Jazz who starts off as a know-it-all constantly shielding Danny from the harsh realities of life. There, she begins to see the potential in her kid brother. It is, in my opinion, the most sentimental and heartwarming out of all the Danny Phantom episodes.THE EH, AVERAGE: "Mystery Meat" properly introduces the characters and backgrounds, but falters in the second half with less-then-believable subplots. "One Of A Kind" shows the first sign of DP\'s use of Major Plot A and minor subplot B. "Attack of the Killer Garage Sale" is fine, but clumsily tries to tie Danny\'s heroism and normalcy that others succeed better in. "Prisoners of Love" does a commendable job showcasing the radically different Ghost Zone, but is tackled with a dumb subplot involve stereotypical rednecks and a predictable romance. "Teacher Of The Year" is so morally focused that it feels less Action/Comedy, more Saturday Morning educational program. "13" is decent, but lacks oomph. "Lucky in Love" enhances the Love Arc and boosts some secondary characters, but is otherwise unremarkable and "the Million Dollar Ghost" has a confusing Xanatos Gambit from Vlad and a faulty father/son bonding between Danny and Jack.THE DOWNRIGHT BAD: "Splitting Images" which is all-around deplorable. Despite triggering Danny\'s Growing Darkness Arc, it\'s meshed with a antagonist who lost his purpose halfway through the series and a jarring concept of right vs. wrong between Danny and Sam. And lastly "Fright Night" which degrades Danny\'s current growth by making him unlikeable and jerky.The DVD only covers the first 13 episodes. There are no extras, but the episodes themselves are in good quality. And I will give Nickelodeon credit; they did put the episodes in their PROPER chronological order. All except "Parental Bonding" (episode two) and "One of a Kind" (episode 3) which got switched with each other. The DVD covers, both front and back are also prone to error. The first volume alone for example has Danny with his "DP" chest insignia; something he does not receive until Season Two (partly covered in the second DVD).Hardcore fans will feel ripped off while the casual (the type who considers DVD extras more luxury then mandatory) may enjoy it. Now that the DVD contains all 20 episodes in on boxed set, the once high price is slightly more reasonable, but be warned that it still does not contain any extras, let along subtitles.',
'overall': 4.0,
'summary': 'A Mixed Blessing',
'unixReviewTime': 1224028800,
'reviewTime': '10 15, 2008'},
{'reviewerID': 'A1OZDKOH6OEN3H',
'asin': 'B000H0YRNY',
'reviewerName': 'Nicole S Hankins',
'helpful': [0, 0],
'reviewText': 'My two year old loves this show! Its great for kids of all ages. Also as a young parent I loved watching it when I use to babysit my younger cousins, so its great to be able to watch it with my children',
'overall': 5.0,
'summary': 'love this show!',
'unixReviewTime': 1390089600,
'reviewTime': '01 19, 2014'},
{'reviewerID': 'A336KZXZQGD90G',
'asin': 'B000H0YRNY',
'reviewerName': 'Norville Rogers "dadams70"',
'helpful': [0, 0],
'reviewText': "He can't get enough of it. Good action. Fun animation. My 4-year old daughter actually enjoys the show as well.",
'overall': 4.0,
'summary': 'My 7-year old son loves this',
'unixReviewTime': 1368921600,
'reviewTime': '05 19, 2013'},
{'reviewerID': 'A2YSO9L7OHWAHA',
'asin': 'B000H0YRNY',
'reviewerName': 'N. Wall',
'helpful': [0, 0],
'reviewText': 'My 4 year old daughter loves it. She has watch this show many times and seems to enjoy it since she picks it herself',
'overall': 5.0,
'summary': 'Child approved',
'unixReviewTime': 1380844800,
'reviewTime': '10 4, 2013'},
{'reviewerID': 'A38AEZY7GTKZ9O',
'asin': 'B000H0YRNY',
'reviewerName': 'Patrick Competelli',
'helpful': [0, 0],
'reviewText': "My kids love Danny Phantom. I don't mind them watching this cartoon. It is much better than other cartoons as I've seen as of recent.",
'overall': 5.0,
'summary': 'Kids love it.',
'unixReviewTime': 1399507200,
'reviewTime': '05 8, 2014'},
{'reviewerID': 'API4WDHO5VS0V',
'asin': 'B000H0YRNY',
'reviewerName': 'Patrick Snow',
'helpful': [0, 0],
'reviewText': 'Kids love the show. Watch it almost every night. Cant wait for th enext one. Great tool to make sure they do chores.',
'overall': 5.0,
'summary': 'kids',
'unixReviewTime': 1381622400,
'reviewTime': '10 13, 2013'},
{'reviewerID': 'A5B1G09270YFE',
'asin': 'B000H0YRNY',
'reviewerName': 'peaches',
'helpful': [0, 1],
'reviewText': "This cartoon is very similar in style and storytelling as Fairly Odd Parents. If you enjoy that cartoon you will like this one as well. My son enjoyed it, but it certainly wouldn't make his top 20 list. I would not classify this as an educational cartoon.",
'overall': 3.0,
'summary': 'similar too fairly odd parents',
'unixReviewTime': 1376524800,
'reviewTime': '08 15, 2013'},
{'reviewerID': 'A293Z7RBDNDLW4',
'asin': 'B000H0YRNY',
'reviewerName': 'PEDRO GONZALEZ',
'helpful': [0, 0],
'reviewText': "I love Danny Phantom. I wish I could watch it right now, but I can't watch it on school days.",
'overall': 5.0,
'summary': 'My daughter says...',
'unixReviewTime': 1377734400,
'reviewTime': '08 29, 2013'},
{'reviewerID': 'A14LC7ZKQ6F0NI',
'asin': 'B000H0YRNY',
'reviewerName': 'PNWmom',
'helpful': [0, 0],
'reviewText': 'My child really enjoyed it. I find it to be similar in quality and content to Fairly Odd Parents, Johnny Test, & TUFF Puppy.',
'overall': 5.0,
'summary': 'fun cartoon',
'unixReviewTime': 1368835200,
'reviewTime': '05 18, 2013'},
{'reviewerID': 'AVRJUS10RM4CV',
'asin': 'B000H0YRNY',
'reviewerName': 'PRBabe5',
'helpful': [0, 0],
'reviewText': 'My son loves this show! I only saw parts of it, but it was engaging and even my daughter will watch it.',
'overall': 4.0,
'summary': 'My son loves it!',
'unixReviewTime': 1386201600,
'reviewTime': '12 5, 2013'},
{'reviewerID': 'AN5023FJW6R4R',
'asin': 'B000H0YRNY',
'reviewerName': 'Princessjoe92',
'helpful': [1, 1],
'reviewText': 'Not much to say other than I absolutely love Danny Phantom, and seeing this finally available on DVD made my whole week! The only problem is in the main menu; a little bit of the music is cut off, but the actual episodes are totally fine. Absolutely amazing series with great plot, character development, and a few cheesy laughs. :)',
'overall': 5.0,
'summary': 'Ahhhhhhhh!!, finally! I have been waiting since 2004 for this!!!',
'unixReviewTime': 1322179200,
'reviewTime': '11 25, 2011'},
{'reviewerID': 'A1VRWGEPH92ZCZ',
'asin': 'B000H0YRNY',
'reviewerName': 'Quil',
'helpful': [0, 0],
'reviewText': 'The DVD was prefect. I have been a fan of the series for a long time and have had trouble finding the complete first season.',
'overall': 5.0,
'summary': 'Great!',
'unixReviewTime': 1384646400,
'reviewTime': '11 17, 2013'},
{'reviewerID': 'ALM753JVQKEOT',
'asin': 'B000H0YRNY',
'reviewerName': 'Raykel',
'helpful': [31, 36],
'reviewText': 'Fans have been clamoring for Danny Phantom DVDs for ages, and while it\'s very exciting to finally get some, this is more than a little disappointing. The back cover claims "It\'s a scary good time with the COMPLETE first season of Danny Phantom." (emphasis mine.) However, it only contains the first 13 episodes, while season one was twenty episodes long. Similarly, the "Season Two" set contains episodes 14-26 and does NOT include the fan favorite "The Ultimate Enemy," which is probably why many fans wanted this one to begin with.Save your money for a REAL box set that has all twenty episodes, plus extras and everything a season box set should have. This, sadly, isn\'t it.',
'overall': 1.0,
'summary': 'NOT "Complete" as advertised',
'unixReviewTime': 1222819200,
'reviewTime': '10 1, 2008'},
{'reviewerID': 'A9DCOBE83DUUT',
'asin': 'B000H0YRNY',
'reviewerName': 'Richard T Cranford',
'helpful': [0, 0],
'reviewText': 'My daughters (6 & 8) love watching this show. free viewing via Amazon Prime make it a great deal. Good viewing for anyone under 10.',
'overall': 5.0,
'summary': 'Great show for kids',
'unixReviewTime': 1370649600,
'reviewTime': '06 8, 2013'},
{'reviewerID': 'A19507IP9AOLDW',
'asin': 'B000H0YRNY',
'reviewerName': 'Rob Clendaniel',
'helpful': [0, 0],
'reviewText': "I mean it's good and a blast from the past and all, but in the words of William Wordsworth "The things which I have seen I now can see no more."",
'overall': 3.0,
'summary': 'Ode: Intimations of Immortality',
'unixReviewTime': 1400198400,
'reviewTime': '05 16, 2014'},
{'reviewerID': 'A2CIKPBAAXOPNS',
'asin': 'B000H0YRNY',
'reviewerName': 'Rob',
'helpful': [1, 1],
'reviewText': 'It came on time and was a great present for one of my children. They loved the cartoon and we will buy form them again!',
'overall': 5.0,
'summary': 'Just what we wanted',
'unixReviewTime': 1360886400,
'reviewTime': '02 15, 2013'},
{'reviewerID': 'A3VV5A2K6AAKTI',
'asin': 'B000H0YRNY',
'reviewerName': 'Robin',
'helpful': [0, 3],
'reviewText': "I don't like Danny phantom because it is really annoying and my sisters used to always watch it and it was very boring",
'overall': 1.0,
'summary': "Why I don't like Danny phantom",
'unixReviewTime': 1389398400,
'reviewTime': '01 11, 2014'},
{'reviewerID': 'A29LH8C87CK3F4',
'asin': 'B000H0YRNY',
'reviewerName': 'Rosemary Meza',
'helpful': [0, 0],
'reviewText': 'This is a great show for kids ages 3-13. My kids love this show. I would definitely recommend it to others with or without kids.',
'overall': 5.0,
'summary': 'Great kids show',
'unixReviewTime': 1376611200,
'reviewTime': '08 16, 2013'},
{'reviewerID': 'A2JSMHOQ52S2IL',
'asin': 'B000H0YRNY',
'reviewerName': 'SAnderson',
'helpful': [0, 0],
'reviewText': 'We all like this one. Cute show with interesting stories in each episode. Even my husband will sit and watch it with us.',
'overall': 5.0,
'summary': 'My girls love it.',
'unixReviewTime': 1373328000,
'reviewTime': '07 9, 2013'},
{'reviewerID': 'A3T37KBOOP4M',
'asin': 'B000H0YRNY',
'reviewerName': 'Sanjeev Agarwal',
'helpful': [0, 0],
'reviewText': 'This show is great, my kids loves it. This is good entertaining, humor and good stuff fir kids to teach.',
'overall': 4.0,
'summary': 'Good show',
'unixReviewTime': 1386892800,
'reviewTime': '12 13, 2013'},
{'reviewerID': 'A1CKXN3KDOFWIC',
'asin': 'B000H0YRNY',
'reviewerName': 'SBH_fan "BH_fan"',
'helpful': [1, 1],
'reviewText': 'The cartoon is simply great. Created by the same person who is responsible for Fairly Odd Parents show - Butch Hartman. This cartoon is full of really super cool characters, adventures and humor. The only thing, I believe there should be more episodes in the season.This cartoon can be enjoyable for both teens and adults',
'overall': 5.0,
'summary': 'Danny Phantom is one of the best TV shows ever (my opinion).',
'unixReviewTime': 1225324800,
'reviewTime': '10 30, 2008'},
{'reviewerID': 'AI2Y69N3X5RU2',
'asin': 'B000H0YRNY',
'reviewerName': 'Scott Pantall',
'helpful': [0, 0],
'reviewText': 'I sit and watch this with my 4 year old grandson and he just loves it . I find my self laughing with him while watching it.',
'overall': 4.0,
'summary': 'funny',
'unixReviewTime': 1397260800,
'reviewTime': '04 12, 2014'},
{'reviewerID': 'A2BKX42XZZ9VZ0',
'asin': 'B000H0YRNY',
'reviewerName': 'Shayli',
'helpful': [0, 0],
'reviewText': 'Starting off with next to no powers and no control, we see Danny at his weekest slowly figuring things out. It is a season worth owning. Beautifully scored and written I absolutely love the Danny Phantom franchise.',
'overall': 5.0,
'summary': 'The Collection Begins',
'unixReviewTime': 1388707200,
'reviewTime': '01 3, 2014'},
{'reviewerID': 'A2R8M75DSNH6XQ',
'asin': 'B000H0YRNY',
'reviewerName': 'SunMee',
'helpful': [0, 0],
'reviewText': "I am a sophomore in college - and a A student at that, but I needed a break. Danny Phantom is the perfect combination of silly punch-lines and goofy adolescence which I haven't witnessed in a very long time (actually, I think that I skipped this certain teenage goodness). Wish that I had watched this show a long time ago. Enjoy!",
'overall': 5.0,
'summary': 'Just What the Ghost Ordered',
'unixReviewTime': 1378598400,
'reviewTime': '09 8, 2013'},
{'reviewerID': 'A3TF27Q48F5FNG',
'asin': 'B000H0YRNY',
'reviewerName': 'Tammy Litz "LeatherNLace"',
'helpful': [1, 1],
'reviewText': 'I am so interested in getting these discs, I LOVE Danny Phantom! But Im wondering, if the set isnt complete which has been stated by Raykel, is there any other way to get this set that IS complete? Im not going to pay that much for a set that isnt complete. Also, actually, have any new episodes been made or are being made of this cartoon? I watched it this evening with my kids and I have caught a few episodes I havent ever seen but it makes me wonder if they are still producing the cartoon. Thanks!',
'overall': 5.0,
'summary': 'Undecided',
'unixReviewTime': 1243641600,
'reviewTime': '05 30, 2009'},
{'reviewerID': 'A31KYXBDMT7A5S',
'asin': 'B000H0YRNY',
'reviewerName': 'Tanya Kukert',
'helpful': [1, 1],
'reviewText': 'I have this saved on my laptop and it goes everywhere with me, how great is that?!',
'overall': 5.0,
'summary': 'super cool!',
'unixReviewTime': 1239321600,
'reviewTime': '04 10, 2009'},
{'reviewerID': 'A35WEXMW0DU9KZ',
'asin': 'B000H0YRNY',
'reviewerName': 'TJ Chex',
'helpful': [0, 1],
'reviewText': "I grew up on this, it's too bad not many people will ever hear of this show. "Gotta catch 'em all, cuz he's Danny Phantom!"",
'overall': 5.0,
'summary': 'Great show',
'unixReviewTime': 1399852800,
'reviewTime': '05 12, 2014'},
{'reviewerID': 'AQ5VH5JQQB65O',
'asin': 'B000H0YRNY',
'reviewerName': 'Trayceetee "the dancing one"',
'helpful': [0, 0],
'reviewText': "It's okay. My kids watched it once, because they used to watch this show when it was on Nickelodeon. It's just not capturing their attention anymore, but there's nothing wrong with the show itself.",
'overall': 3.0,
'summary': 'Classic Danny Phantom',
'unixReviewTime': 1383696000,
'reviewTime': '11 6, 2013'},
{'reviewerID': 'AALDYF5MEQD59',
'asin': 'B000H0YRNY',
'reviewerName': 'wilsie suarez',
'helpful': [0, 0],
'reviewText': 'it kept my child entertained for hours she watched the complete season in one sitting along with the other season',
'overall': 5.0,
'summary': 'great funny',
'unixReviewTime': 1395705600,
'reviewTime': '03 25, 2014'},
{'reviewerID': 'A1WGZPZ2BRK0XS',
'asin': 'B000H0YRNY',
'reviewerName': 'Y. Cowlishaw "yealc"',
'helpful': [0, 0],
'reviewText': 'Love this show and so happy Amazon has it available. The family was very disappointed when they could not watch and now they can once again.',
'overall': 5.0,
'summary': 'Glad to see this',
'unixReviewTime': 1374624000,
'reviewTime': '07 24, 2013'},
{'reviewerID': 'A0759107CA9MPWVRF6VN',
'asin': 'B000H0YRNY',
'reviewerName': 'Zachary',
'helpful': [0, 0],
'reviewText': 'Loved the show as a kid and still love it today. It was a short lived series but still a great show. The ending was ok but it could of been better.',
'overall': 5.0,
'summary': 'Great show!',
'unixReviewTime': 1389139200,
'reviewTime': '01 8, 2014'},
{'reviewerID': 'AU1T89ZKTY1RA',
'asin': 'B000H0YRNY',
'reviewerName': 'Zepplin76',
'helpful': [1, 1],
'reviewText': 'My kids both enjoy watching these shows. It kind of reminds me of a Power Puff Girls type of show.',
'overall': 4.0,
'summary': 'Johnny Test sort of cartoon.',
'unixReviewTime': 1367712000,
'reviewTime': '05 5, 2013'},
{'reviewerID': 'A2E7NOZ45TFPU3',
'asin': 'B000H0ZQT8',
'reviewerName': 'Huston Albachten "hustonios"',
'helpful': [0, 0],
'reviewText': 'This is one of my most favorite TV series ever. The sad part is, it was canceled after its first season because "people were offended". This series is not offence or bothersome in any way. In fact, it is histarical and witty. I hope you all will buy this download so that one day it will come back on air.',
'overall': 5.0,
'summary': 'Invader Zim Review #1',
'unixReviewTime': 1206576000,
'reviewTime': '03 27, 2008'},
{'reviewerID': 'AHQEH8TWYV0KH',
'asin': 'B000H0ZQT8',
'reviewerName': 'maxzilla',
'helpful': [0, 0],
'reviewText': "Well this show is pretty good but it's one of those shows only young kids would want to watch. It's very very disgusting at times and hilairious at others I say it's worth taking the chance. Oh I almost forgot please watch hobo thirteen you'll be on the floor laughing your heart out.",
'overall': 5.0,
'summary': 'AWESOME!!',
'unixReviewTime': 1277337600,
'reviewTime': '06 24, 2010'},
{'reviewerID': 'A2OYUAR8I1QT2O',
'asin': 'B000H0ZSWI',
'reviewerName': 'Jainendra Singh "Jazz"',
'helpful': [0, 5],
'reviewText': 'Truely speaking, this is a very hilarious episode. Must see for every one.',
'overall': 4.0,
'summary': 'Very Hilarious',
'unixReviewTime': 1157500800,
'reviewTime': '09 6, 2006'},
{'reviewerID': 'APIW11UEPKIC2',
'asin': 'B000H22748',
'reviewerName': 'morgoth "we lamas are traditional enemies of ...',
'helpful': [0, 0],
'reviewText': "That is the name of this movie in the 50 pack I got. I almost feel like giving this movie a 5/5. The start of it is just amazing. The storyline with Chen Sing and this young kid is one of the best kugn fu stories I have ever seen. This is seriously the best time I have had watchign a movie in a little while. I don't want to giev the plot away at all, but look out for a few things that I thought were AWESOME!!!!!!!!!! The little kids fight between the kid Chen Sing is with and Lo Lieh's son. Hwang Jang Lee has 2 fights with Chen Sing and this I thought was the second real highlight of the film to go along with the story. Southern fist versus northern leg at it's best. Add in Hwnag's 3 grand children(corey Yuen, Doris Lung, and Yuen Biao!), and you have yourself a great movie. I have a couple movies from the Black Dragon and both are watchable but very dirty in print. I recommend the tree line 50 pack becasue it is cheap and you get a few other really good movies in that collection.",
'overall': 4.0,
'summary': 'Heroes of Shaolin',
'unixReviewTime': 1157587200,
'reviewTime': '09 7, 2006'},
{'reviewerID': 'A32FHFUE87ALH9',
'asin': 'B000H244DK',
'reviewerName': 'Cosimo J Bressi Jr',
'helpful': [0, 0],
'reviewText': 'Great show for a few laughs. I would not suggest this for children as most of the content is for teen and above. Funny show used to watch it on TV when it was on in my area.',
'overall': 5.0,
'summary': 'Humor',
'unixReviewTime': 1397779200,
'reviewTime': '04 18, 2014'},
{'reviewerID': 'A2UOVPF3O0MCM9',
'asin': 'B000H244DK',
'reviewerName': 'Jenn1983 "Jenn"',
'helpful': [1, 1],
'reviewText': "This show is funky and weird, but that is why it is great. Pick up the season and watch them all you wont regret it. Its like Daria, in you either love it or hate it, but it was still great either way and was cancelled way before it had a chance to tell it's full story.",
'overall': 5.0,
'summary': 'Great Show',
'unixReviewTime': 1295222400,
'reviewTime': '01 17, 2011'},
{'reviewerID': 'A2DSBQEQ23LO9L',
'asin': 'B000H244DK',
'reviewerName': 'Kindle Customer "Mike"',
'helpful': [0, 0],
'reviewText': 'This show is similar to the cartoon Home Movies. It is enjoyable and funny for kids as well as adults.',
'overall': 3.0,
'summary': 'Funny',
'unixReviewTime': 1369440000,
'reviewTime': '05 25, 2013'},
{'reviewerID': 'A1QPQFNR8CV62G',
'asin': 'B000H244DK',
'reviewerName': 'MaiTai',
'helpful': [1, 1],
'reviewText': 'I loved this show when it was on the air and of course, was very upset when it got taken off. I\'ve been looking for it to come out on DVD everywhere, but no such luck. And then one day I discovered that I could purchase it through Amazon Instant Video for an extremely great price so I did. In watching it again I\'m reminded of the fact that while this show is yes, yet another one about a town where weird things happen its take on what its characters refer to as "The Weirdness" is still as fresh and funny as the first time I saw the TV show.In fact, while the show follows a group of high school students and the adults around them who have to deal with an ever changing and unpredictable weird events that affect them the real star of this show is "The Weirdness" itself. This phenomena whose source is never really explained, although hilariously debated in the show\'s opening by some of its characters from time to time, may one day see one\'s innermost true thoughts popping up in the form of visible talking thought bubbles that show up when one is trying to lie (Episode Bubbleheads) to everyone slowly turning into cats during the high school\'s rendition of American Idol (Episode O\'Grady Idol) and much, much more. This premise allows the show to remain fresh and unpredictable.I\'m still not sure why it was ever canceled, but this one goes into my bin of TV shows that were simply great and original but canceled by shortsighted morons. (There I said it) If you want a laugh and can\'t get enough of shows like Eureka and Warehouse 13 then I think you\'ll love this one too. So go ahead and get down with The Weirdness and the whole O\'Grady gang.',
'overall': 5.0,
'summary': "So Happy I Can Get My O'Grady Fix Again!",
'unixReviewTime': 1327017600,
'reviewTime': '01 20, 2012'},
{'reviewerID': 'A3PKN7AQZYEO46',
'asin': 'B000H244DK',
'reviewerName': 'Michelle',
'helpful': [0, 0],
'reviewText': "Brings back memories from the good ol' days. Wow that makes me sound really old. I don't like it. c:",
'overall': 5.0,
'summary': 'Nostalgic',
'unixReviewTime': 1370044800,
'reviewTime': '06 1, 2013'},
{'reviewerID': 'A3KMKVNJSRN3VE',
'asin': 'B000H26EMY',
'reviewerName': 'achilles',
'helpful': [0, 0],
'reviewText': 'It was nice to some old and new faces. Thank you for making his available. I look forward to more like it.',
'overall': 5.0,
'summary': 'Nice way to relax after work',
'unixReviewTime': 1389657600,
'reviewTime': '01 14, 2014'},
{'reviewerID': 'A2ILI1KXJ7R3J',
'asin': 'B000H26EMY',
'reviewerName': 'Afterhourshop',
'helpful': [0, 0],
'reviewText': "Regarding Gabriel Iglesias...Funny stuff, good light hearted slapstick style comedy. Well done! everyone needs this from time to time.Post below is of Comedy Central overall:I have been watching a bunch of these during editing work. I have noticed a trend of watered down, politically correct on world issues, yes often always using race, sex and a weed smoking as a overwhelming headline topic on these comics.What happen to the jokes on contraversial issues, and world issues? Specially during war, and all the government stripping of rights in the US. Comedians need to use this medium to break the silence of such hard topics.Sure there are funny content here, but seriously, Its either about blacks, and white, and women and men and being stupid, and loving to smoke out. Really?!! Watch Season 13-14, which is what I am currently watching. You just get more of this. The cover image is of that British comedian who actually DOES bring up such hard topics and lets people interact with such issues. Yet, I have not seen him in any of the line up.I actually can't imagine the comedians being the limiting factor. I think its Comedy Network that filters this content. I hope I am wrong. I will continue watching more and hope to see and hear deeper, and more deep as well as newly stylized material.I liked...Bill Burr,Anthony Jezelneck,Greer Barnes,I will list others, but these I most recently saw.Others I like areLouis CK,Russel Peters,Alonzo Bodden was pretty good,Tom Papa was great,Doug Stanhope,Lewis Black,Kevin Nealon rather funny,Sebastian Maniscalco was Great!,Russel Brand,All Brian Posein was doing talking about his weewee..Ya thats the picture we need in our heads(rather annoying skit),Mike Birbiglia had a great delivery and overall interesting,I'll add more later.",
'overall': 4.0,
'summary': 'These are the only topics these comedians can be "creative" about? Race-Black-White/Sex/Women/Religion? Thats about it?',
'unixReviewTime': 1392940800,
'reviewTime': '02 21, 2014'},
{'reviewerID': 'A3T1UB3JU11OW',
'asin': 'B000H26EMY',
'reviewerName': 'Ai Ning Hsu "roadmon"',
'helpful': [1, 1],
'reviewText': "I have all the bill burr DVD and I feel he really needs to work more so he'd make more money and we'd more happy!!",
'overall': 5.0,
'summary': 'Bill burr',
'unixReviewTime': 1365033600,
'reviewTime': '04 4, 2013'},
{'reviewerID': 'A2Y0RJPAL82W92',
'asin': 'B000H26EMY',
'reviewerName': 'Amanda "book addict & mom of 4"',
'helpful': [0, 0],
'reviewText': "I was having a hard day and sat down for a few minutes feeling blue when I came across this show. It's great because I could watch upcoming as well as fave comics!! After a couple of minutes, I was just rolling with laughter!! The best part was I could skipover a comedian who I didn't feel a moral connection to. Great show!! I guess laughter is the best medicine when your day is bad.....mine improved greatly!!",
'overall': 4.0,
'summary': 'Great laughs',
'unixReviewTime': 1389830400,
'reviewTime': '01 16, 2014'},
{'reviewerID': 'A277B97X88Q2R9',
'asin': 'B000H26EMY',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'Never got to see it wuld never load tried for 2 days. I have yet to be able to get a free movie or show from the free prime selection.',
'overall': 1.0,
'summary': 'Never got to see it.',
'unixReviewTime': 1363737600,
'reviewTime': '03 20, 2013'},
{'reviewerID': 'A2QCEORN957RIP',
'asin': 'B000H26EMY',
'reviewerName': 'amgfshopper',
'helpful': [0, 0],
'reviewText': 'Gabriel Iglesias is the comedian I watched, his first special, so funny. I plan on trying to go through them, cause the old ones are the best.',
'overall': 5.0,
'summary': 'Gabriel Iglesias',
'unixReviewTime': 1364256000,
'reviewTime': '03 26, 2013'},
{'reviewerID': 'A31OVZYKZYJLUO',
'asin': 'B000H26EMY',
'reviewerName': 'Babak Parvizi',
'helpful': [1, 1],
'reviewText': "Even though this is about 4 years old, it is extremely halarious. I've been waiting to see a good stand up comedy. The first 15 min is just one hilarious hit after another. I love this guy.",
'overall': 5.0,
'summary': 'Funny,Funny,Funny.',
'unixReviewTime': 1173225600,
'reviewTime': '03 7, 2007'},
{'reviewerID': 'AB0XUKW6DWORP',
'asin': 'B000H26EMY',
'reviewerName': 'big mike',
'helpful': [0, 0],
'reviewText': 'have to watch!! absolutly funny!! wow this guy is the best at what he does! i love this dude lolololol',
'overall': 5.0,
'summary': 'O.M.F.G.',
'unixReviewTime': 1356048000,
'reviewTime': '12 21, 2012'},
{'reviewerID': 'AB3LCT2018407',
'asin': 'B000H26EMY',
'reviewerName': 'bob3660 "Bob McDowell"',
'helpful': [0, 0],
'reviewText': "If you like comedy, you'll probably enjoy this show as it highlights are variety of comedians.",
'overall': 4.0,
'summary': 'Four Stars',
'unixReviewTime': 1404950400,
'reviewTime': '07 10, 2014'},
{'reviewerID': 'AX55YY32B1TFA',
'asin': 'B000H26EMY',
'reviewerName': 'CharlieBoy',
'helpful': [0, 0],
'reviewText': "[ring, ring]Hello?Hey, what are you doing?Oh nothing...I'm just here.Ooooh, where?In the kitchen.Oh really? Ooooh, what are you doing in the kitchen?Oh nothing...I'm just baking.Ooooh really? What are you baking?Oh nothing...just a chocolate cake.Oooh, say it slow, say it slow!Chooooooocolaaaaate Caaaaaaaake.Ay Dios Mio![pinches his nipples]",
'overall': 5.0,
'summary': 'Bought it for the girlfriend/chocolate cake joke',
'unixReviewTime': 1400025600,
'reviewTime': '05 14, 2014'},
{'reviewerID': 'A2GWSXCHHA5NVB',
'asin': 'B000H26EMY',
'reviewerName': 'Chris D.',
'helpful': [0, 0],
'reviewText': 'I had not seen this short Bill Burr episode before. Ron White and Daniel Tosh also crack me up. Funny and short.',
'overall': 5.0,
'summary': 'Funny stuff',
'unixReviewTime': 1403222400,
'reviewTime': '06 20, 2014'},
{'reviewerID': 'A3K0EHK6KVJHGN',
'asin': 'B000H26EMY',
'reviewerName': 'Christopher Reaves',
'helpful': [0, 0],
'reviewText': 'Love the comedians and good quality video.and there are so many to choose from. Love the way you have the season set up.',
'overall': 4.0,
'summary': 'Great show',
'unixReviewTime': 1365465600,
'reviewTime': '04 9, 2013'},
{'reviewerID': 'A2LDQWG2YVCF6E',
'asin': 'B000H26EMY',
'reviewerName': 'Claire Huson',
'helpful': [0, 0],
'reviewText': "It's was funny and entertaining. It was great for passing the time when I was in need of something funny to watch.",
'overall': 4.0,
'summary': 'Funny',
'unixReviewTime': 1369440000,
'reviewTime': '05 25, 2013'},
{'reviewerID': 'A3IZ2F8GJXUIOU',
'asin': 'B000H26EMY',
'reviewerName': 'David A Haramoto',
'helpful': [0, 0],
'reviewText': "There were some good comedians this season. I love Jackie Kashian's nerd humor, Ron White's southern charm, and Daniel Tosh's freaky energy.",
'overall': 3.0,
'summary': 'Good season',
'unixReviewTime': 1386460800,
'reviewTime': '12 8, 2013'},
{'reviewerID': 'A1FS7N70WZTWTO',
'asin': 'B000H26EMY',
'reviewerName': 'denise',
'helpful': [0, 0],
'reviewText': 'It was funny. I enjoyed watching all the comedians. It brought back great memories and would watch again and again',
'overall': 5.0,
'summary': 'Season 7 review',
'unixReviewTime': 1393286400,
'reviewTime': '02 25, 2014'},
{'reviewerID': 'A1AGNVMYTENOCU',
'asin': 'B000H26EMY',
'reviewerName': 'Derrick',
'helpful': [0, 0],
'reviewText': 'He was very funny. It was a joy to see a clean mouth comic. He drew from his own true life experiences as the foundation for most of his comedy.',
'overall': 5.0,
'summary': 'Funny',
'unixReviewTime': 1403568000,
'reviewTime': '06 24, 2014'},
{'reviewerID': 'A335TXJEP1I198',
'asin': 'B000H26EMY',
'reviewerName': 'Dianne M. Martino',
'helpful': [0, 0],
'reviewText': "I prefer the longer shows and have seen most of them. This was short and had elements from shows I've already seen. But I still giggled.",
'overall': 3.0,
'summary': "I'm spoiled",
'unixReviewTime': 1401148800,
'reviewTime': '05 27, 2014'},
{'reviewerID': 'A3FB7AWM6CBV6Z',
'asin': 'B000H26EMY',
'reviewerName': 'Dinaso',
'helpful': [0, 0],
'reviewText': 'Love season 7 episode 1. Gabriel Iglesias is hilarious. No matter how many ones I watch it, he always makes me laugh like crazy.',
'overall': 5.0,
'summary': 'Love',
'unixReviewTime': 1371686400,
'reviewTime': '06 20, 2013'},
{'reviewerID': 'A1F5XPKXR4PRWD',
'asin': 'B000H26EMY',
'reviewerName': 'dogowner',
'helpful': [0, 0],
'reviewText': 'I was looking for more Bill burr specials and this popped up. He is funny as hell. This is earlier work but still worth watching for some good laughs',
'overall': 4.0,
'summary': 'Bill Burr is Hilarous',
'unixReviewTime': 1402185600,
'reviewTime': '06 8, 2014'},
{'reviewerID': 'AURVOD1619JCH',
'asin': 'B000H26EMY',
'reviewerName': "Elsie' mom",
'helpful': [2, 3],
'reviewText': 'LOVE TOSH TOO FUNNY. THIS IS ANOTHER GOOD EDGY STAND UP FOR DANIEL IF YOU ARE A FAN YOULL LOVE THIS.',
'overall': 5.0,
'summary': 'L.O.L',
'unixReviewTime': 1336780800,
'reviewTime': '05 12, 2012'},
{'reviewerID': 'A16MILIILH2L0J',
'asin': 'B000H26EMY',
'reviewerName': 'Entertainment Aficionado',
'helpful': [0, 0],
'reviewText': 'Hilarious! Gabriel Iglesias is his usually funny self. I have seen this one before and will likely watch it again. It is worth the download.',
'overall': 5.0,
'summary': 'Funny!',
'unixReviewTime': 1374019200,
'reviewTime': '07 17, 2013'},
{'reviewerID': 'AKQ7LFXZLANXL',
'asin': 'B000H26EMY',
'reviewerName': 'Eric Rwayne',
'helpful': [0, 0],
'reviewText': "only viewed this to watch the GREAT Patrice Oneal's episode or show or whatever they'd call these......sure wish it was longer.......but anything with Black Phillip in it is worth the watch",
'overall': 5.0,
'summary': "Patrice O'Neal",
'unixReviewTime': 1393113600,
'reviewTime': '02 23, 2014'},
{'reviewerID': 'A33Z8L75OXCP78',
'asin': 'B000H26EMY',
'reviewerName': 'Eric Schenk',
'helpful': [1, 1],
'reviewText': 'I have always been a big fan of Laura K\'s stand up work and was blown away byThe Minor Accomplishments of Jackie Woodman-- a "too good for television" sitcom like no other and an incredible display of the brilliance of Laura\'s comic sensibilities. (Please come back, Jackie and Tara.) I\'ve seen a number of brilliant Laura stand up routines, but none of them are available on dvd or video. In fact, there is almost no Laura available on dvd. It may well be that I am one of the few who think that Laura is brilliant and no meaningful segment of the public is into her. But I just can\'t believe that\'s the case. I believe that if someone would put out a dvd of some of Laura\'s best routines, the audience would appear. How about an hour long HBO special? This video download has moments of Laura at her best, but the energy flags at times and the comedy central presentation always seems dingy. Give me an hour of the Laura I know and love or, even better, a third season of Jackie Woodman. As her former Irish boyfriend might say, Laura is the "otter" of so much hilarious stuff. Make it available and then give me more!',
'overall': 3.0,
'summary': "Why don't they release a great Laura K dvd?",
'unixReviewTime': 1267574400,
'reviewTime': '03 3, 2010'},
{'reviewerID': 'A2QOMNAPIAE127',
'asin': 'B000H26EMY',
'reviewerName': 'Francisco',
'helpful': [0, 0],
'reviewText': "A collection of Comedy Central's funny people. I logged on to this DVD because of Bill Burr, who is one of the funniest around. He says it like it is,about many social and politocal issues.An entertaining variety of comics.",
'overall': 3.0,
'summary': 'funny people',
'unixReviewTime': 1387670400,
'reviewTime': '12 22, 2013'},
{'reviewerID': 'A39QJ94KJIDW99',
'asin': 'B000H26EMY',
'reviewerName': 'George Ryland "Mindspanker"',
'helpful': [0, 0],
'reviewText': 'Some good comedians some not so good. Some good comedians some not so good. Some good comedians some not so good.I detest being told how many words I should type.',
'overall': 3.0,
'summary': 'Some good comedians some not so good.',
'unixReviewTime': 1377129600,
'reviewTime': '08 22, 2013'},
{'reviewerID': 'AE0ADFBY3H98O',
'asin': 'B000H26EMY',
'reviewerName': 'Groff',
'helpful': [0, 0],
'reviewText': "Ya take the good with the bad in this season. Take your chances by watching comics you've never seen before and maybe you'll get a good laugh. But that is always the chance you take with comedy stand up, and you might find a new comic you'll enjoy following for years.",
'overall': 3.0,
'summary': 'Some good, and some bad',
'unixReviewTime': 1377043200,
'reviewTime': '08 21, 2013'},
{'reviewerID': 'AVY9BW3MC8EZU',
'asin': 'B000H26EMY',
'reviewerName': 'IVY',
'helpful': [0, 0],
'reviewText': 'This is a man with many talents to make people laugh with different scenarios & his ability to alter his voice. Hysterical!!!',
'overall': 4.0,
'summary': 'Funny!!!',
'unixReviewTime': 1391126400,
'reviewTime': '01 31, 2014'},
{'reviewerID': 'A2YWX0DHLPSZA8',
'asin': 'B000H26EMY',
'reviewerName': 'Janine Zarate',
'helpful': [0, 0],
'reviewText': 'We were looking for something funny after watching the very intense movie that we rented. We found Comedy Central Presents Gabriel Inglesias and laughed until tears ran down our legs! LOVED IT!',
'overall': 5.0,
'summary': 'Gabriel Iglesias - LOVED IT!',
'unixReviewTime': 1394150400,
'reviewTime': '03 7, 2014'},
{'reviewerID': 'A3038NE7PEDHVD',
'asin': 'B000H26EMY',
'reviewerName': 'J. D. Frietze "pop culture fanatic"',
'helpful': [0, 0],
'reviewText': 'Stand-up Season 7 has a great collection of comics, often before they were famous enough for a full special. These are commercial free and excellent quality.',
'overall': 5.0,
'summary': 'Funny and streaming',
'unixReviewTime': 1360627200,
'reviewTime': '02 12, 2013'},
{'reviewerID': 'AUQS7HZ77ZDTE',
'asin': 'B000H26EMY',
'reviewerName': 'John Gardner',
'helpful': [3, 6],
'reviewText': 'I saw this on tv and loved it, so i had to buy it.',
'overall': 5.0,
'summary': 'Very Funny',
'unixReviewTime': 1157760000,
'reviewTime': '09 9, 2006'},
{'reviewerID': 'A14VKSHKXCT3VG',
'asin': 'B000H26EMY',
'reviewerName': 'Jonell Kelsey',
'helpful': [0, 0],
'reviewText': 'I was nervous that this would be lame but most of the acts are pretty darned funny! Worth a look!',
'overall': 5.0,
'summary': 'Fun!',
'unixReviewTime': 1362355200,
'reviewTime': '03 4, 2013'},
{'reviewerID': 'A7LPQRXD22M57',
'asin': 'B000H26EMY',
'reviewerName': 'K. D. Azzari',
'helpful': [0, 0],
'reviewText': "I'm a huge Bill Burr fan...there is no other comic I care about watching. He is the only comic I've paid to see live. Bill Burr never disappoints, and this show was no exception.",
'overall': 5.0,
'summary': 'It was Bill Burr',
'unixReviewTime': 1397952000,
'reviewTime': '04 20, 2014'},
{'reviewerID': 'AH9FOZBUT0M4O',
'asin': 'B000H26EMY',
'reviewerName': 'kelley burney',
'helpful': [0, 0],
'reviewText': "Some comedians are funnier than others but I wasn't able to rate them individually for some reason.it would be helpful to include this feature.",
'overall': 4.0,
'summary': 'Overall good',
'unixReviewTime': 1398470400,
'reviewTime': '04 26, 2014'},
{'reviewerID': 'APRHZYE8U0IGM',
'asin': 'B000H26EMY',
'reviewerName': '~K.I.S.S.S.S~ "An artist\'s hands are just as ...',
'helpful': [0, 0],
'reviewText': "I am not sure what other comedian got her or his start as a result of heckling another comedian, but Patrice O'neal has this dubious distinction that greatly benefited him much more than the other guy. Other guy, yeah you, Smart Alec, if you are reading this, your suggestion to have him try his hand at stand-up, didn't turn out so bad for him after all, huh?! Just think, your inability to ignore his words launched him into the rarefied air of one of the All-Time Best. Guess you can tell your friends, "I was just playing." This set is the 2nd time I became aware of Patrice O'neal, the first being his appearances on Chappelle's Show. Performances like this were the main reason so many would tune in to check out comedians that were not heard of before on a wide scale, and this avenue definitely paid dividends to those whose 20-25 minute set did not bomb. Patrice O'neal clearly had the goods and you can find so many uploads on YouTube that will make you laugh and laugh really loud, but strip down the jokes and you will hear that he was quite pensive in his approach to his jokes. He statement of how America in its arrogance will call its sports champions 'world champions' without playing another country, extremely funny & priceless but so true. From Elephant in the Room, Mr. P & Unreleased, his works are grand and no matter how much and how often you listen to him, you'll paused and rewind to hear 'that' bit again and again. His performance here is no different. Dude died entirely too soon and it is hard to refer to him in the past tense. Such a great thing that we get to refer to him at all.",
'overall': 5.0,
'summary': '~Top 10 sets EVER on Comedy Central Presents~',
'unixReviewTime': 1401580800,
'reviewTime': '06 1, 2014'},
{'reviewerID': 'A30A7RLGOWREJ1',
'asin': 'B000H26EMY',
'reviewerName': 'Kountry',
'helpful': [0, 0],
'reviewText': 'Earthquake is one of the funniest! This is 1 to see in his early days. Recommend you watch this event.',
'overall': 5.0,
'summary': 'Funny earthquake style!',
'unixReviewTime': 1380844800,
'reviewTime': '10 4, 2013'},
{'reviewerID': 'A15KNNESUOOZ2W',
'asin': 'B000H26EMY',
'reviewerName': 'L. Pino',
'helpful': [0, 0],
'reviewText': "Gabriel Iglesias is hilarious. Just recently discovered his comedy skills, and can't get enough. Well worth seeing this video. Highly recommend.",
'overall': 5.0,
'summary': 'Hilarious',
'unixReviewTime': 1364860800,
'reviewTime': '04 2, 2013'},
{'reviewerID': 'A2OWMCK34I6MX',
'asin': 'B000H26EMY',
'reviewerName': 'Mary B. Leigh',
'helpful': [0, 0],
'reviewText': "I found Jackie Kashian's stand up through her podcast, The Dork Forest. She's funny, lighthearted, and best of all, happy! So many comedians are drowning in their own misery, or angry with the world, but she's just great. I highly recommend her standup and her podcast.",
'overall': 5.0,
'summary': 'Jackie Kashian is funny!',
'unixReviewTime': 1367193600,
'reviewTime': '04 29, 2013'},
{'reviewerID': 'A2CN7EXM939OEY',
'asin': 'B000H26EMY',
'reviewerName': 'Meleve1',
'helpful': [0, 0],
'reviewText': 'I love to laugh and comedy shows are just a nice way to relax. Like seeing different comedians. Love the fact that can see them for free on Amazon prime. Watch them in bed on kindle while my husband snores. Nice way to drown out noise and have pleasant dreams and good thoughts.',
'overall': 4.0,
'summary': 'funny',
'unixReviewTime': 1394841600,
'reviewTime': '03 15, 2014'},
{'reviewerID': 'A1C4L2XX1UIMBW',
'asin': 'B000H26EMY',
'reviewerName': 'Mermaid Lady',
'helpful': [0, 0],
'reviewText': "Stand up comedy is something that my family and I usually enjoy watching while on vacation (I don't have cable). This set of routines from Comedy Central is just what we need to remind us of summer fun yet to come!",
'overall': 5.0,
'summary': 'Funny Fellows',
'unixReviewTime': 1401580800,
'reviewTime': '06 1, 2014'},
{'reviewerID': 'A3J7A8MVZ9XDMU',
'asin': 'B000H26EMY',
'reviewerName': 'Michael A. Leyva',
'helpful': [0, 0],
'reviewText': 'My wife and I love stand up and nearly every comedian was very good. I highly recommend this series, but beware.... this is for adults not children. Enjoy!',
'overall': 5.0,
'summary': 'A great comedy series!',
'unixReviewTime': 1379116800,
'reviewTime': '09 14, 2013'},
{'reviewerID': 'A2TRMTE27EWRF2',
'asin': 'B000H26EMY',
'reviewerName': 'mike hendrick',
'helpful': [0, 0],
'reviewText': 'a so so show with old joke lines but it did have one or two good comedians so I gave it two stars just to be nice.',
'overall': 2.0,
'summary': 'Hum Drum',
'unixReviewTime': 1404000000,
'reviewTime': '06 29, 2014'},
{'reviewerID': 'A1T4YXGBWDMSK0',
'asin': 'B000H26EMY',
'reviewerName': 'Mista Arrgh!',
'helpful': [3, 3],
'reviewText': "Like the tag says, I watched strictly for my favorite comedian, Bill Burr. I remember seeing this when it was first broadcasted and I wanted to hear Bill's earlier marriage jokes again. Hilarious and solid.",
'overall': 5.0,
'summary': 'I watched this for Bill Burr',
'unixReviewTime': 1360972800,
'reviewTime': '02 16, 2013'},
{'reviewerID': 'A2K54TYLIK0TU3',
'asin': 'B000H26EMY',
'reviewerName': 'Nancy',
'helpful': [0, 0],
'reviewText': "Jeff Dunham is excellent in any show he does. He can make you laugh even if you don't want to. His shows can be watched over and over again and still feel the same as if you had not seen it before.",
'overall': 5.0,
'summary': 'Jeff Dunham comedy Central',
'unixReviewTime': 1348531200,
'reviewTime': '09 25, 2012'},
{'reviewerID': 'A2QL78QX9AXRTX',
'asin': 'B000H26EMY',
'reviewerName': 'nothing but time',
'helpful': [0, 0],
'reviewText': 'WITH RON ITS ALLWAYS A GREAT NIGHT.HE WILL KEEP YOU LAUGHING. HE DOES HAVE THE GOOD MANNERS TO GIVE YOU A CHANCE TO CATCH YOUR BREATH. AS TAKES A SIP OF HIS DRINK',
'overall': 5.0,
'summary': 'Funniest of the blue coller boys',
'unixReviewTime': 1397606400,
'reviewTime': '04 16, 2014'},
{'reviewerID': 'A2KN5DUFAKO2NC',
'asin': 'B000H26EMY',
'reviewerName': 'Patrick Clark',
'helpful': [0, 0],
'reviewText': 'Not as funny as his specials',
'overall': 3.0,
'summary': 'Three Stars',
'unixReviewTime': 1404432000,
'reviewTime': '07 4, 2014'},
{'reviewerID': 'A1HUOL6MDSID8J',
'asin': 'B000H26EMY',
'reviewerName': 'Pen Name',
'helpful': [0, 0],
'reviewText': 'This was great to watch. Just wish it was in full screen and/or HD. This is one of his funniest standup shows he has done.',
'overall': 4.0,
'summary': 'Very funny',
'unixReviewTime': 1360454400,
'reviewTime': '02 10, 2013'},
{'reviewerID': 'A2SWAUKBEKNCI1',
'asin': 'B000H26EMY',
'reviewerName': 'Printed Page "Printed Page"',
'helpful': [0, 0],
'reviewText': "Wow, this is one of the most gifted comedians in business today. He's clean and easy to laugh with. There's a politeness to him that you don't often see in comedy. Highly recommend.",
'overall': 5.0,
'summary': 'Gabriel Iglescias is hilarious!',
'unixReviewTime': 1379548800,
'reviewTime': '09 19, 2013'},
{'reviewerID': 'ALLL91WFPNN0W',
'asin': 'B000H26EMY',
'reviewerName': 'Ronnie "Ron"',
'helpful': [0, 0],
'reviewText': 'I found this program because I was searching for David Feldman. His podcast is awesome, and he is a great standup, too.',
'overall': 5.0,
'summary': 'David Feldman is great',
'unixReviewTime': 1376179200,
'reviewTime': '08 11, 2013'},
{'reviewerID': 'A2AAF65HUJ0EA5',
'asin': 'B000H26EMY',
'reviewerName': 'R.P.',
'helpful': [0, 0],
'reviewText': 'This is hit or miss on some of the featured comedians. This does however offer viewers the ability to discover their preferred comedic talent.',
'overall': 2.0,
'summary': 'hit or miss',
'unixReviewTime': 1391990400,
'reviewTime': '02 10, 2014'},
{'reviewerID': 'A28SIOH1KB249M',
'asin': 'B000H26EMY',
'reviewerName': 'Seag930',
'helpful': [0, 0],
'reviewText': 'This was fun to watch because there were no commercials. Also, I always laugh when I see Fluffy and Dunham!!!',
'overall': 5.0,
'summary': 'Always funny!!!',
'unixReviewTime': 1393804800,
'reviewTime': '03 3, 2014'},
{'reviewerID': 'A2ZK13Z8F179UT',
'asin': 'B000H26EMY',
'reviewerName': 'Stephanie Aceves "Love listening to audio boo...',
'helpful': [0, 0],
'reviewText': 'Just watch..get a good laughThe only thing worth watching with this streaming service everything else is pretty lame I would say',
'overall': 5.0,
'summary': 'So funny',
'unixReviewTime': 1376006400,
'reviewTime': '08 9, 2013'},
{'reviewerID': 'A1L7D3MRBM3P3K',
'asin': 'B000H26EMY',
'reviewerName': 'Steve',
'helpful': [0, 0],
'reviewText': 'Use to watch this as a kid and it brings back funny memories. Many of the greats in comedy today had a special on this show first.',
'overall': 5.0,
'summary': 'awesome',
'unixReviewTime': 1377820800,
'reviewTime': '08 30, 2013'},
{'reviewerID': 'A23YKJMHR7IFXM',
'asin': 'B000H26EMY',
'reviewerName': 'testdeca',
'helpful': [0, 0],
'reviewText': 'RIP Big man! This was the special where I first saw this comic legend. His powers of perception and observation are impeccable. His take on race is very unique without completely alienating the viewer. Very refreshing and relevant till this day. I have my ceiling fan and a/c both on full blast as a tribute to this fallen soldier.',
'overall': 5.0,
'summary': 'Genius',
'unixReviewTime': 1376956800,
'reviewTime': '08 20, 2013'},
{'reviewerID': 'A1901NTE8LFJF6',
'asin': 'B000H26EMY',
'reviewerName': 'Thomas M. Taylor "runman"',
'helpful': [1, 1],
'reviewText': 'This guy is great, the only problem that I have is the video is only 22 minutes long.',
'overall': 4.0,
'summary': 'FUNNY FUNNY FUNNY',
'unixReviewTime': 1188691200,
'reviewTime': '09 2, 2007'},
{'reviewerID': 'A1M9OKO2YXPJ7X',
'asin': 'B000H26EMY',
'reviewerName': 'Tommy Tune',
'helpful': [0, 0],
'reviewText': "Hands down, the most insightful comic today. Burr's everyday life anecdotes are to the core of the American male experience. PC whimps need not bother, you cannot relate to reality anyway so why try. For most of the rest of us, this comic will have you doubled up in laughter. What a treasure.",
'overall': 5.0,
'summary': 'Carlin will not be replaced, but...',
'unixReviewTime': 1393891200,
'reviewTime': '03 4, 2014'},
{'reviewerID': 'A2T3S3VTW65VO5',
'asin': 'B000H26EMY',
'reviewerName': 'Tony "SergeantPope"',
'helpful': [0, 0],
'reviewText': "These are funny, but they only display in 3:4 aspect ratio on my TV. I definitely wish they were 16:9 at 1080p. Some of the comedians aren't known very well (by me, atleast), but many of them are still worth watching.",
'overall': 4.0,
'summary': 'Funny, but 3:4 aspect ratio?',
'unixReviewTime': 1385596800,
'reviewTime': '11 28, 2013'},
{'reviewerID': 'A20DRJAAN4B919',
'asin': 'B000H26EMY',
'reviewerName': 'W. Tyson',
'helpful': [0, 0],
'reviewText': 'Only watched the Bll Burr segment. This was a good sample of his humor. We are big fans. If you are,too, then this is a good watch. You have to pay attention.',
'overall': 5.0,
'summary': 'Bill Burr',
'unixReviewTime': 1376784000,
'reviewTime': '08 18, 2013'},
{'reviewerID': 'A398QSASJOIKA6',
'asin': 'B000H29TXU',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': "I love the variety of comics. Great for dinner TV entertainment because of length of each episode. Many of the featured comics have gone on to even bigger TV specials so it's great to see some of their earlier material.",
'overall': 4.0,
'summary': 'comedy club quality without leaving your home',
'unixReviewTime': 1391644800,
'reviewTime': '02 6, 2014'},
{'reviewerID': 'A1ZTHMKKOG0H6Z',
'asin': 'B000H29TXU',
'reviewerName': 'Amazon Customer',
'helpful': [0, 3],
'reviewText': "Tom's humor throughout this special is spot-on funny! He understands his audience and relates brilliantly his thinking on commonalities to nursery rhymes. A must see!",
'overall': 5.0,
'summary': 'Hilarious & Relevant!',
'unixReviewTime': 1346371200,
'reviewTime': '08 31, 2012'},
{'reviewerID': 'A2YDXBKJG7E3QV',
'asin': 'B000H29TXU',
'reviewerName': 'Ariesxo3',
'helpful': [0, 0],
'reviewText': 'It was okay I didnt like the female comics and the comics who feel they need to scream. I guess they think if you make us deaf we wont hear the bad jokes lol bwahaha i should be in stand up',
'overall': 3.0,
'summary': 'its funny',
'unixReviewTime': 1363219200,
'reviewTime': '03 14, 2013'},
{'reviewerID': 'A3MHN835T55K53',
'asin': 'B000H29TXU',
'reviewerName': 'a.willy',
'helpful': [0, 0],
'reviewText': 'Kevin Hart is hilarious. I really enjoyed this episode of Comedy Central Presents. Will probably watch again in the future.',
'overall': 5.0,
'summary': 'Really funny.',
'unixReviewTime': 1379203200,
'reviewTime': '09 15, 2013'},
{'reviewerID': 'A2U61O0KWJH3MM',
'asin': 'B000H29TXU',
'reviewerName': 'Cathy P.',
'helpful': [0, 1],
'reviewText': 'comedy is a matter of taste. this guy was a little funny but there are others that are far funnier than this guy',
'overall': 3.0,
'summary': 'ok',
'unixReviewTime': 1378339200,
'reviewTime': '09 5, 2013'},
{'reviewerID': 'A18RCYV0M8Z2GO',
'asin': 'B000H29TXU',
'reviewerName': 'Charles F.Eshleman',
'helpful': [0, 0],
'reviewText': 'In all seasons, some of the so-called comedians are unfunny or try too hard with theirsex jokes; otherwise, there are a few really hilarious ones.',
'overall': 3.0,
'summary': 'Get an act, guys!',
'unixReviewTime': 1396137600,
'reviewTime': '03 30, 2014'},
{'reviewerID': 'A28DPR143MALN7',
'asin': 'B000H29TXU',
'reviewerName': 'Charles G.',
'helpful': [0, 0],
'reviewText': "First of all i love comedy, i use to watch comedy central stand up on cable, but now since I've decides to get rid of cable that option to watch comedy central became unavailable. I was pleased that I purchased amazon prime and was thrilled comedy central was available to watch again.",
'overall': 5.0,
'summary': 'Comedy Central',
'unixReviewTime': 1400889600,
'reviewTime': '05 24, 2014'},
{'reviewerID': 'AHK4YBW8652PQ',
'asin': 'B000H29TXU',
'reviewerName': 'Cheryl A. Paul',
'helpful': [0, 0],
'reviewText': "I searched for and only watched Mike Birbiglia. I LOVE tbat guy's humor. I may get around to watching the other comedians one day.",
'overall': 5.0,
'summary': 'Mike Birbiglia is great.',
'unixReviewTime': 1389139200,
'reviewTime': '01 8, 2014'},
{'reviewerID': 'A3K0EHK6KVJHGN',
'asin': 'B000H29TXU',
'reviewerName': 'Christopher Reaves',
'helpful': [0, 0],
'reviewText': 'Loved the shows they are just long enough to use as a short distraction when I need it most! Got to love that.',
'overall': 4.0,
'summary': 'Great mix of comedians',
'unixReviewTime': 1366761600,
'reviewTime': '04 24, 2013'},
{'reviewerID': 'A2K1E8T6WKJOO0',
'asin': 'B000H29TXU',
'reviewerName': 'Connell A. McEnhimer Jr.',
'helpful': [0, 0],
'reviewText': 'I love watching Comedy Central Stand-Up. On Kindle its even better, they took the commercials out! Laugh so hard it hurts!',
'overall': 5.0,
'summary': 'Love Stand-Up',
'unixReviewTime': 1376006400,
'reviewTime': '08 9, 2013'},
{'reviewerID': 'A78JJTUJBNOGP',
'asin': 'B000H29TXU',
'reviewerName': 'C. R. Farese "mama_wolf2"',
'helpful': [0, 0],
'reviewText': 'Dat Phan is a very funny stand up. I enjoyed the show and look forward to more specials. I recommend this one if you want a good laugh.',
'overall': 4.0,
'summary': 'Dat Phan - very funny',
'unixReviewTime': 1369526400,
'reviewTime': '05 26, 2013'},
{'reviewerID': 'A169X5SGS7W8IB',
'asin': 'B000H29TXU',
'reviewerName': 'David Kowsari',
'helpful': [0, 0],
'reviewText': 'I Love this show, it has good variety and very funny comedians, I would highly recommend it if you enjoy stand up. Good way to see lesser known but still funny comics.',
'overall': 5.0,
'summary': 'Check it out',
'unixReviewTime': 1388707200,
'reviewTime': '01 3, 2014'},
{'reviewerID': 'A2LSZFEFTDRDIJ',
'asin': 'B000H29TXU',
'reviewerName': 'debra marrero',
'helpful': [0, 0],
'reviewText': 'if this had to do with Dat Phan, he was hilarious, I enjoyed his comedy and would watch him alone numerous times',
'overall': 3.0,
'summary': 'not sure who this was for',
'unixReviewTime': 1371168000,
'reviewTime': '06 14, 2013'},
{'reviewerID': 'A39F2EW27YYUDM',
'asin': 'B000H29TXU',
'reviewerName': 'Emily Booth',
'helpful': [0, 0],
'reviewText': 'Watched it for Kevin Hart and only Kevin Hart! He makes me laugh. The best comedy comes from pain and Kevin does his comedy with a huge heart.',
'overall': 5.0,
'summary': 'Loved it!',
'unixReviewTime': 1398729600,
'reviewTime': '04 29, 2014'},
{'reviewerID': 'A39QJ94KJIDW99',
'asin': 'B000H29TXU',
'reviewerName': 'George Ryland "Mindspanker"',
'helpful': [0, 0],
'reviewText': 'Some good comedians some not so good. Some good comedians some not so good. Some good comedians some not so good. I detest being told how many words to type.',
'overall': 3.0,
'summary': 'Some good comedians some not so good.',
'unixReviewTime': 1377129600,
'reviewTime': '08 22, 2013'},
{'reviewerID': 'A2N4FH4GHXHNYK',
'asin': 'B000H29TXU',
'reviewerName': 'HoneyBiscuit',
'helpful': [1, 6],
'reviewText': 'This guy is a racist douchebag who actually thinks it\'s funny to denigrate an entire race of people. Please do yourself a favor and don\'t waste your time or money on his lame, out-dated "jokes". - [...]',
'overall': 1.0,
'summary': 'Bob Oschack is not worth your money',
'unixReviewTime': 1315267200,
'reviewTime': '09 6, 2011'},
{'reviewerID': 'AO1Z63O9CTT95',
'asin': 'B000H29TXU',
'reviewerName': 'James Westervelt',
'helpful': [0, 0],
'reviewText': "he's OK. His humor consists mainly of varying between a Vietnamese accent and a smooth articulate presentation of ironic situations.",
'overall': 2.0,
'summary': 'same routine he did on last comic standing',
'unixReviewTime': 1394064000,
'reviewTime': '03 6, 2014'},
{'reviewerID': 'A22BYZMQHW1B89',
'asin': 'B000H29TXU',
'reviewerName': 'Jerico dela cruz',
'helpful': [0, 0],
'reviewText': 'He is funny. If I have to explain why I enjoyed the show in 17 then that is it. Funny',
'overall': 4.0,
'summary': '17 words to explain why i enjoyed watching',
'unixReviewTime': 1389830400,
'reviewTime': '01 16, 2014'},
{'reviewerID': 'A2JHJDZINH7UO0',
'asin': 'B000H29TXU',
'reviewerName': 'Jesse Harrell',
'helpful': [0, 0],
'reviewText': "Some of the comics seem to struggle.Some just aren't funny.And way to many commercials.Also sould give the comics a little room on the use of language.I believe viewers can take a curse word or two without going batshit crazy.",
'overall': 1.0,
'summary': 'Losen up censors!!',
'unixReviewTime': 1393632000,
'reviewTime': '03 1, 2014'},
{'reviewerID': 'A17RR3L98AVHFV',
'asin': 'B000H29TXU',
'reviewerName': 'Jessica "Skittles"',
'helpful': [0, 0],
'reviewText': "This is so funny I love it! I love demetri martins use of the guitar in his acts. Beware it's not for kids",
'overall': 5.0,
'summary': 'Really Awsome',
'unixReviewTime': 1386201600,
'reviewTime': '12 5, 2013'},
{'reviewerID': 'A1J5BPL3M9UTG5',
'asin': 'B000H29TXU',
'reviewerName': 'Josh',
'helpful': [0, 0],
'reviewText': 'Very smart guy and very clever jokes........sad that he is gone too soon.He was more than just the guy on the roasts.',
'overall': 5.0,
'summary': 'Great comedian......gone too soon',
'unixReviewTime': 1363824000,
'reviewTime': '03 21, 2013'},
{'reviewerID': 'A3P9PWSK9YPN38',
'asin': 'B000H29TXU',
'reviewerName': 'Karly "Karly"',
'helpful': [0, 0],
'reviewText': 'Recommend it. Very good show. It is good clean fun and geared towards the young and the old and evryone in eat wee .',
'overall': 5.0,
'summary': 'Love Comedy Central',
'unixReviewTime': 1388534400,
'reviewTime': '01 1, 2014'},
{'reviewerID': 'A30A7RLGOWREJ1',
'asin': 'B000H29TXU',
'reviewerName': 'Kountry',
'helpful': [0, 1],
'reviewText': 'Kevin Hart in his early days to stardom. He is among the greats today. HIGHLY recommend! AKA Chocolate Drop! A must see.',
'overall': 5.0,
'summary': 'The Kevin Hart road.',
'unixReviewTime': 1380844800,
'reviewTime': '10 4, 2013'},
{'reviewerID': 'A2AXB4A7N04PO0',
'asin': 'B000H29TXU',
'reviewerName': 'Lisa C',
'helpful': [0, 0],
'reviewText': 'Just straight up funny, and fun to see him at start of his career before his recent burst of popularity',
'overall': 4.0,
'summary': 'Funny',
'unixReviewTime': 1396396800,
'reviewTime': '04 2, 2014'},
{'reviewerID': 'A1WHSXVBWB7EJL',
'asin': 'B000H29TXU',
'reviewerName': 'lyn d',
'helpful': [0, 0],
'reviewText': 'I thought that the video had its moments. There were some good lines, but the rhythm and flow seemed a bit erratic.',
'overall': 4.0,
'summary': 'good for a few laughs',
'unixReviewTime': 1383782400,
'reviewTime': '11 7, 2013'},
{'reviewerID': 'AZGDKWC9UUJWB',
'asin': 'B000H29TXU',
'reviewerName': 'Marshell R. Bass',
'helpful': [0, 0],
'reviewText': "This is classic true to Kevin Hart's entertainment standard. Truely funny and I really enjoyed it. Laughed throughout the episode.",
'overall': 5.0,
'summary': 'Kevin Hart is Hilarious',
'unixReviewTime': 1364256000,
'reviewTime': '03 26, 2013'},
{'reviewerID': 'A1KGA8NZFSS1HZ',
'asin': 'B000H29TXU',
'reviewerName': 'matt',
'helpful': [0, 0],
'reviewText': "Frank is a very funny guy! I saw a bit of his show before buying this and I'm still laughing.",
'overall': 5.0,
'summary': 'Funny guy',
'unixReviewTime': 1366329600,
'reviewTime': '04 19, 2013'},
{'reviewerID': 'A2M6KIXLNJBFGW',
'asin': 'B000H29TXU',
'reviewerName': 'Maurice Tyler "Multiple Mode"',
'helpful': [0, 0],
'reviewText': "I love this stand up, if your're having a bad day take in some comedy central, you'll get over it soon.",
'overall': 5.0,
'summary': 'you want something funny',
'unixReviewTime': 1383264000,
'reviewTime': '11 1, 2013'},
{'reviewerID': 'A3T55AYXPPE8JP',
'asin': 'B000H29TXU',
'reviewerName': 'Michael',
'helpful': [0, 0],
'reviewText': "The world mourns the loss of this brilliant comic, gone too soon.Do his memory justice and buy this - finding a way to record it from what Amazon gives you, seeing as how there's no ACTUAL way to download it, and Comedy Central lacks the foresight to actually release these things on DVD. XPSeriously, though... Greg was biting and sarcastic about the world, kids, and the double-standards that most women live - but did it all in a way that you knew the magic of his act was coming from a place of honesty... his heart. I know that's a bit more serious a review than most comedians get, but Greg always gave us a true piece of himself in his act, and I will forever respect that.",
'overall': 5.0,
'summary': 'Just a taste of the brilliance that was to come...',
'unixReviewTime': 1359244800,
'reviewTime': '01 27, 2013'},
{'reviewerID': 'A1H0AU41KKTR9Y',
'asin': 'B000H29TXU',
'reviewerName': 'NeetNix',
'helpful': [0, 0],
'reviewText': 'I saw this when it originally aired on TV in 2004. This was the 1st time I saw Kevin Hart and ive been a huge fan since',
'overall': 5.0,
'summary': 'I fell in love',
'unixReviewTime': 1367452800,
'reviewTime': '05 2, 2013'},
{'reviewerID': 'A2AVPFY713FS5X',
'asin': 'B000H29TXU',
'reviewerName': 'phworld "phworld"',
'helpful': [1, 7],
'reviewText': "Bob Oschack's so-called comedy just isn't that funny. Don't waste your money on this racist-themed comedian since he has to resort to crude humor that makes you cringe rather than laugh. His humor hinges on denigrating gays, ethnic and racial groups, religions, and just about any segment that is vulnerable. Isn't that what the Klan does?",
'overall': 1.0,
'summary': 'Waste of money',
'unixReviewTime': 1315353600,
'reviewTime': '09 7, 2011'},
{'reviewerID': 'A2FU31EAH6FFMF',
'asin': 'B000H29TXU',
'reviewerName': 'Rachel',
'helpful': [0, 0],
'reviewText': 'Kevin Hart is Hilarious!!! I would watch ANYTHING with him in it!! He makes my stomach hurt from laughter! Great!',
'overall': 5.0,
'summary': 'Kevin Hart!!',
'unixReviewTime': 1366848000,
'reviewTime': '04 25, 2013'},
{'reviewerID': 'A3881M49D4TUCR',
'asin': 'B000H29TXU',
'reviewerName': 'Ralph Rodriguez',
'helpful': [0, 0],
'reviewText': "Fun fun fun!!! Great night with my adult kids we were entertained the whole time great first experience. Can't wait to go again.",
'overall': 5.0,
'summary': 'Go have some real',
'unixReviewTime': 1398643200,
'reviewTime': '04 28, 2014'},
{'reviewerID': 'A3JNCLDQ7063B5',
'asin': 'B000H29TXU',
'reviewerName': 'R. Hernandez',
'helpful': [0, 0],
'reviewText': 'Love that I can stream it for free with my Prime membership! Very funny & I will definitely watch the rest of them.',
'overall': 5.0,
'summary': 'Free',
'unixReviewTime': 1383350400,
'reviewTime': '11 2, 2013'},
{'reviewerID': 'A1I0ZJO1SLUEM4',
'asin': 'B000H29TXU',
'reviewerName': 'Robert Kausler',
'helpful': [0, 0],
'reviewText': 'My wife & I watch these episodes in the evening to wind down & visit. Always enjoyable. The best part: No commercials.',
'overall': 5.0,
'summary': 'Always enjoyable.',
'unixReviewTime': 1365897600,
'reviewTime': '04 14, 2013'},
{'reviewerID': 'A3Q5UOMAMX5OG7',
'asin': 'B000H29TXU',
'reviewerName': 'SigChiGuy',
'helpful': [0, 0],
'reviewText': "Funny stuff. I don't need 15 words to describe funny. Funny funny fun fun fun funny fun fun fun lol.",
'overall': 5.0,
'summary': '++++++++++++++++++++',
'unixReviewTime': 1374883200,
'reviewTime': '07 27, 2013'},
{'reviewerID': 'A1RNJ6Q36443HL',
'asin': 'B000H29TXU',
'reviewerName': 'Tech_Geek "Study Before you BUy"',
'helpful': [0, 0],
'reviewText': 'I love the fact it has all the comics I use too watch on comedy central. Since I no linger have cable it helps save money and give me a laugh at the same time.',
'overall': 5.0,
'summary': 'i love comedy',
'unixReviewTime': 1398297600,
'reviewTime': '04 24, 2014'},
{'reviewerID': 'A3RXSWD4RAIG1S',
'asin': 'B000H29TXU',
'reviewerName': 'True-Review',
'helpful': [0, 0],
'reviewText': "Season 8, episode 19! Dwayne is funny in the Cosby tradition of funny. He doesn't cuss (much) and has enough charm to fill a bracelet from Tiffany's. I don't know why I hadn't heard of him before this. He's goooood --and very easy on the eyes. Comedy Central really knows comedy.",
'overall': 5.0,
'summary': 'Dwayne Perkins!',
'unixReviewTime': 1376611200,
'reviewTime': '08 16, 2013'},
{'reviewerID': 'A2KBKVEGEKCN6H',
'asin': 'B000H29TXU',
'reviewerName': 'Vicki Mattingly',
'helpful': [0, 0],
'reviewText': 'there are some that are great, most are good, have only skipped 2 that I thought were terrible. Enjoy them, I watch while eating and taking a hot bath',
'overall': 5.0,
'summary': 'comedy',
'unixReviewTime': 1393372800,
'reviewTime': '02 26, 2014'},
{'reviewerID': 'A1MGIXC2YFSQDA',
'asin': 'B000H29TXU',
'reviewerName': 'Vince Maiocco "vmaiocco"',
'helpful': [0, 0],
'reviewText': 'My favorite anthology show... after "Masters Of Sex." The variety and quality of the offerings are both stellar. Never miss it.',
'overall': 5.0,
'summary': 'super SEIES',
'unixReviewTime': 1384214400,
'reviewTime': '11 12, 2013'},
{'reviewerID': 'A9QTCUM96RXLS',
'asin': 'B000H2BL2M',
'reviewerName': 'R. Coleman "not 6 sigma compliant"',
'helpful': [0, 0],
'reviewText': 'Right along with Codename: Kids Next Door, a cartoon that adults and kids will enjoy. Very original and very funny!',
'overall': 5.0,
'summary': 'For grown ups and kids!',
'unixReviewTime': 1157587200,
'reviewTime': '09 7, 2006'},
{'reviewerID': 'A3G2TSUH0YI9FK',
'asin': 'B000H2CN56',
'reviewerName': 'BestProductConsumer',
'helpful': [0, 1],
'reviewText': 'Something needs to jazz the show ... stronger anchor...Hit or miss. Would greatly prefer clean comedy, Tragedy ok, but profanity and toilet humor demeans standup.Yes, it reflects life, but I cannot spend that much time in the toilet being profane!',
'overall': 3.0,
'summary': 'Like the Concept',
'unixReviewTime': 1380067200,
'reviewTime': '09 25, 2013'},
{'reviewerID': 'A1A36OARN9HW4V',
'asin': 'B000H2CN56',
'reviewerName': 'Biz Chick',
'helpful': [0, 0],
'reviewText': 'Most of these are pretty bad, it takes quite a while to find something that tickles the funny bone enough to keep watching the whole 30 minutes. We went through 10 to 15 before we found something we watched more than just a few minutes.',
'overall': 2.0,
'summary': 'hard to find something funny enough to keep watching',
'unixReviewTime': 1365811200,
'reviewTime': '04 13, 2013'},
{'reviewerID': 'A1RXVSBGGRKIIW',
'asin': 'B000H2CN56',
'reviewerName': 'Comparison Shopping Consumer "Don\'t Shop! Ad...',
'helpful': [4, 5],
'reviewText': "If you have to rent or buy something by the wonderful and sorely missed, Richard Jeni( who sadly killed himself a few years back)- DO NOT LET IT BE THIS PARTICULAR PIECE OF COMEDY.Not only is it a SUPER SHORT PERFORMANCE ( it also does not run the full length as described ) you can catch Richard at his best on other recorded live performances that are on DVD.My family and I have long been avid Richard Jeni fans. He has a special and distinct kind of humor. It really was a tragedy for the world of comedy and those who enjoyed his type of humor, to lose him.It also means, whatever was produced and put out there for sale of Richard Jeni's comedy skits, are pretty much it.So, enjoy what you can of his comedy, by collecting whatever you can find of his, if you do not already own it.I have no idea if one day, production might stop.It is a bummer not to be able to find other work by him- even obscure work.What would be nice, is if his family/estate, put together another video of his work, where nothing is a repeat of other performances/skits.The passing of Jeni garnered a lot of attention and posts of sympathy on his website.His family was appreciative and even went out of their way to let people know that Ricard Jeni had suffered from mental illness - which is why he was a victim of suicide. I think they actually wanted people to know and not hide it as a way to promote mental health awareness.Certainly it shocked everyone when it was announced how he died- but it also made him very human. He was NOT just a successful celebrity comedian- he, too, was a troubled human being.The messages on his site, were left by countless dedicated Jeni fans.As time moved on, it seems that other than true Jeni Fans,( which do still exist) he has been forgotten- which is sad.Because it seems he has been forgotten, it makes me wonder if the family/estate would even think to put together a video of works by Jeni.If only they knew there are so many people that wish Jeni was still around; making people laugh till they cried or had a stomach ache, with his zany, comedic ways :-(So shop around for other examples of Jeni's work, here on Amazon, and just make sure you read the amount of minutes it runs.Hey- you live and your learn. So I am giving you the heads up- don't make the mistake we made renting this quick clip from Comedy Central. It's over before you blink.RIP- to Richard Jeni, a down to earth talent, lost to us, way too soon.",
'overall': 3.0,
'summary': "Love &Miss Richard Jeni but don't bother renting this- too short",
'unixReviewTime': 1334620800,
'reviewTime': '04 17, 2012'},
{'reviewerID': 'A210LJLA4OHH06',
'asin': 'B000H2CN56',
'reviewerName': 'Floyd',
'helpful': [0, 0],
'reviewText': "Lewis Black is my favorite comedian. It's not only what he says, but also the way he says it that gets you every time.",
'overall': 5.0,
'summary': 'Black is Best',
'unixReviewTime': 1395878400,
'reviewTime': '03 27, 2014'},
{'reviewerID': 'A3BZKM48HLUEIS',
'asin': 'B000H2CN56',
'reviewerName': 'Forrest',
'helpful': [0, 0],
'reviewText': 'It was so funny I could have died there watchingIt was the best movie that night its spectacular ty',
'overall': 5.0,
'summary': 'awsome',
'unixReviewTime': 1372377600,
'reviewTime': '06 28, 2013'},
{'reviewerID': 'A2HC9X4FMJQJ7X',
'asin': 'B000H2CN56',
'reviewerName': 'G',
'helpful': [0, 0],
'reviewText': 'I simply love Lewis Black and his observations and rants. He totally cracks me up. I would love to see him perform live.',
'overall': 5.0,
'summary': 'CC Presents: Stand-Up Season 6',
'unixReviewTime': 1377561600,
'reviewTime': '08 27, 2013'},
{'reviewerID': 'A2XYXYMRLCHJZO',
'asin': 'B000H2CN56',
'reviewerName': 'Jaysways "John Jones"',
'helpful': [0, 0],
'reviewText': 'I saw this before, and I laughed as hard as the first time I saw it. Lewis has his own delivery style, timing is great, and holds your attention through out his show. He is my favorite comedian, I think of all time.',
'overall': 5.0,
'summary': 'Lewis Black too funny',
'unixReviewTime': 1394496000,
'reviewTime': '03 11, 2014'},
{'reviewerID': 'A2G9T5S6D0LDQ4',
'asin': 'B000H2CN56',
'reviewerName': 'jhyde1010',
'helpful': [0, 0],
'reviewText': 'great new and old acts come to the stage and perform some really good stuff. Great comedy with lots of laughter',
'overall': 4.0,
'summary': 'Lots of good stuff great comedy',
'unixReviewTime': 1370995200,
'reviewTime': '06 12, 2013'},
{'reviewerID': 'A2P6WQ7IJ5QF3D',
'asin': 'B000H2CN56',
'reviewerName': 'Joey Avila',
'helpful': [0, 0],
'reviewText': 'Was good to see some of these comedians and know where they are now some were fun most were not that good. Was okay to watch most.',
'overall': 3.0,
'summary': 'Okay show',
'unixReviewTime': 1398211200,
'reviewTime': '04 23, 2014'},
{'reviewerID': 'A3RXD7Z44T9DHW',
'asin': 'B000H2CN56',
'reviewerName': 'Kansas',
'helpful': [0, 0],
'reviewText': "I watch this every Friday to end my week with a good laugh. It's one of the best seasons that has been added by Amazon for the prime members.",
'overall': 5.0,
'summary': 'A great show',
'unixReviewTime': 1402531200,
'reviewTime': '06 12, 2014'},
{'reviewerID': 'A1NCL87TQCK7R9',
'asin': 'B000H2CN56',
'reviewerName': 'Ken Titus',
'helpful': [0, 0],
'reviewText': 'Ms. Givens is a very good comedian. She is a better poet. She always have original material. FUNNY, current and relevant.',
'overall': 5.0,
'summary': 'One of my favorite performers.',
'unixReviewTime': 1377302400,
'reviewTime': '08 24, 2013'},
{'reviewerID': 'ADIZ7Y58836D',
'asin': 'B000H2CN56',
'reviewerName': 'Lee Hartwig',
'helpful': [1, 3],
'reviewText': 'I\'ve watched a lot of Improv (both taped and live), and I was willing to give this guy the benefit of the doubt. By the time he\'s done busting the crowd\'s chops, the "comedy" he started doing was really lousy. Bad delivery of average concept jokes...nothing impressive. I\'m so glad I didn\'t waste 30 minutes of my life with Jimmy Pardo\'s Comedy Central special.',
'overall': 1.0,
'summary': 'Jimmy Pardo - I turned this off after about five minutes',
'unixReviewTime': 1356912000,
'reviewTime': '12 31, 2012'},
{'reviewerID': 'ASRHGCRAXHE9P',
'asin': 'B000H2CN56',
'reviewerName': 'Rooska',
'helpful': [0, 0],
'reviewText': 'Richard Jeni is, in my humble opinion, one very funny guy. I missed the chance to see him at the Magic Comedy Club one summer and will always regret this. R.I.P. Richard Jeni.',
'overall': 5.0,
'summary': 'Richard Jeni is awesome.',
'unixReviewTime': 1386288000,
'reviewTime': '12 6, 2013'},
{'reviewerID': 'A32C08K6VRSJR4',
'asin': 'B000H2CN56',
'reviewerName': 'Sarah Heartburn',
'helpful': [1, 1],
'reviewText': 'I find Lewis Black laugh out funny. He is such a good commentator on politics and daily life goings on.',
'overall': 4.0,
'summary': 'Always Enjoyable',
'unixReviewTime': 1292198400,
'reviewTime': '12 13, 2010'},
{'reviewerID': 'AP109EXAYZN8N',
'asin': 'B000H2CN56',
'reviewerName': 'Tabitha Castillo',
'helpful': [0, 0],
'reviewText': 'Same Carlos Mencia material he has done time and time again. Feel bad for saying it, but same jokes with just more F-bombs thrown in.',
'overall': 3.0,
'summary': 'Was funny the first few times I heard it',
'unixReviewTime': 1397088000,
'reviewTime': '04 10, 2014'},
{'reviewerID': 'A36KEUEIW7HZ9E',
'asin': 'B000H2CN56',
'reviewerName': 'VO POV',
'helpful': [0, 0],
'reviewText': 'We enjoyed watching the stand up comedy on this show. Good variety of comics, with good material. Kept me laughing.',
'overall': 5.0,
'summary': 'Always enjoy a good stand up comedian',
'unixReviewTime': 1394064000,
'reviewTime': '03 6, 2014'},
{'reviewerID': 'A2SVETDY9C0DVN',
'asin': 'B000H2DMME',
'reviewerName': 'Aaron S.',
'helpful': [0, 0],
'reviewText': 'It was awesome to see these comics that are so big nowadays doing their first long sets on tv. Marc Maron',
'overall': 4.0,
'summary': 'good comics getting their start',
'unixReviewTime': 1364774400,
'reviewTime': '04 1, 2013'},
{'reviewerID': 'A1N10GMNWY8NXV',
'asin': 'B000H2DMME',
'reviewerName': 'Aeid F. kadim',
'helpful': [0, 0],
'reviewText': 'Its the best thing that i have on amazon instant videos , i just cant get enough of it , classic standup comedy will never be out of fasion.',
'overall': 4.0,
'summary': 'Laugh the geniune way!',
'unixReviewTime': 1388361600,
'reviewTime': '12 30, 2013'},
{'reviewerID': 'A1MKO7J19XXJ1G',
'asin': 'B000H2DMME',
'reviewerName': 'ALEXISTAN',
'helpful': [0, 0],
'reviewText': "Nothing too spectacular, here. But I gave it only a cursory glance.None of the diaphragm-threatening, ribcage-splitting hilarity I was hoping for.Don't bother.",
'overall': 1.0,
'summary': 'MEH',
'unixReviewTime': 1401235200,
'reviewTime': '05 28, 2014'},
{'reviewerID': 'A1378ZJMWCTVT3',
'asin': 'B000H2DMME',
'reviewerName': 'Alla',
'helpful': [0, 0],
'reviewText': "some comedians are very good, some not so good, and some are just not funny. I don't know the names to chose from and watched this by picking random episodes. However, I do know some big names in stand up comedy and these were not included on prime.",
'overall': 3.0,
'summary': 'it was ok',
'unixReviewTime': 1389225600,
'reviewTime': '01 9, 2014'},
{'reviewerID': 'A37EJ7CANAWB27',
'asin': 'B000H2DMME',
'reviewerName': 'amanda',
'helpful': [0, 0],
'reviewText': "hilarious just like she is in the movies she plays in. i love her style of comedy and if you catch her jokes in the movies you'll definitely enjoy this",
'overall': 4.0,
'summary': 'super funny',
'unixReviewTime': 1366502400,
'reviewTime': '04 21, 2013'},
{'reviewerID': 'A2VUDEZFABPHRC',
'asin': 'B000H2DMME',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'I love comedy...Mostly I love stand up and this was a lot of fun to watch.So excited about it.',
'overall': 5.0,
'summary': 'Yay Funny',
'unixReviewTime': 1353888000,
'reviewTime': '11 26, 2012'},
{'reviewerID': 'A22GUJBCFN7K1H',
'asin': 'B000H2DMME',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': "Wanda Sykes is hysterical. This is obviously from long ago before she came out, but still great. I'm glad she can now live her truth.",
'overall': 5.0,
'summary': 'Wanda Sykes rocks',
'unixReviewTime': 1390867200,
'reviewTime': '01 28, 2014'},
{'reviewerID': 'A1V4641875E27E',
'asin': 'B000H2DMME',
'reviewerName': 'Amazon Customer "hi tec lost"',
'helpful': [0, 0],
'reviewText': 'it was and still is a classic. To stand up and make others laugh at you and at themselves is a gift. this video of season 1 of comedy central presents, is why comedy starts are a top draw on television, in person even on radio. this is a great watch and rewatch for any adult.',
'overall': 4.0,
'summary': 'funny',
'unixReviewTime': 1369785600,
'reviewTime': '05 29, 2013'},
{'reviewerID': 'A3KOCC3LFW79SB',
'asin': 'B000H2DMME',
'reviewerName': 'Andrew',
'helpful': [0, 0],
'reviewText': 'I thoroughly enjoy comedy - so this is my thing hah. I recommend everyone watch this to get a laugh or two.',
'overall': 5.0,
'summary': 'Loved it',
'unixReviewTime': 1387324800,
'reviewTime': '12 18, 2013'},
{'reviewerID': 'AHG24TMGX0T5M',
'asin': 'B000H2DMME',
'reviewerName': 'anthony clarke',
'helpful': [0, 0],
'reviewText': 'Wanda is wonderful,long after the show i think of her quotations..Everyone i know loves wanda.Long may she reign over standup',
'overall': 5.0,
'summary': 'WONDERFUL WANDA',
'unixReviewTime': 1388534400,
'reviewTime': '01 1, 2014'},
{'reviewerID': 'ANTJAR30JXFVS',
'asin': 'B000H2DMME',
'reviewerName': 'Aquasage',
'helpful': [0, 0],
'reviewText': 'Wanda always makes me laugh with her views and opinions, it is a guilty pleasure though with how much she swears',
'overall': 3.0,
'summary': 'Wanda',
'unixReviewTime': 1370304000,
'reviewTime': '06 4, 2013'},
{'reviewerID': 'A1ZUTAVA69RLHC',
'asin': 'B000H2DMME',
'reviewerName': 'BeaB',
'helpful': [0, 0],
'reviewText': "Absolutely love this. Great for people who want to good old-fashioned comedy. It's nice to hear good jokes not needing profanity to getting a laugh.",
'overall': 5.0,
'summary': 'comedy central present s: stand-up season 1',
'unixReviewTime': 1391040000,
'reviewTime': '01 30, 2014'},
{'reviewerID': 'A10LTCU8CA35FJ',
'asin': 'B000H2DMME',
'reviewerName': 'Betty A. Andrade',
'helpful': [0, 0],
'reviewText': 'Feels amateurish, cliche. Comedy is ok but presentation feels like it was made by someone in their garage. Only watched one episode',
'overall': 1.0,
'summary': 'Not good',
'unixReviewTime': 1388880000,
'reviewTime': '01 5, 2014'},
{'reviewerID': 'A1XWI0Q63VUKSZ',
'asin': 'B000H2DMME',
'reviewerName': 'Byron Doherty',
'helpful': [0, 0],
'reviewText': 'Kevin Brennna is not that funny as he has been. I think the reasoning is this is a 1999 video and the material is just not funny.I suggest picking newer shows for comedic relief',
'overall': 2.0,
'summary': 'Kevin Brennna',
'unixReviewTime': 1334102400,
'reviewTime': '04 11, 2012'},
{'reviewerID': 'A1K0962HKVEPBN',
'asin': 'B000H2DMME',
'reviewerName': 'Camille',
'helpful': [0, 0],
'reviewText': "Over 2 hours of some of the funniest stand up routines you'll see, including the hilarious Patton Oswalt, and we rented it for only $3.00 using Amazons download. Cheaper than going to the movies and cheaper than paying for cable TV every month, you get only what you want and you have 30 days to watch it!My only complaint.....put more stand up comedy on Amazon for downloads!",
'overall': 4.0,
'summary': 'Hilarious! Superb Entertainment Value!',
'unixReviewTime': 1209340800,
'reviewTime': '04 28, 2008'},
{'reviewerID': 'A2JE0JYIZL5NU4',
'asin': 'B000H2DMME',
'reviewerName': 'C. A. Neal',
'helpful': [0, 0],
'reviewText': "I only watched the Wanda Sykes portion of this show. I think it was interesting to watch because it was before she came out as a lesbian. She was married to a man at the time. She actually made some jokes that raised my eyebrows since she is now a lesbian. I didn't like this because it seemed hypocritical but I think Wanda Sykes is really funny. She is one of the few comedians who can make me really LOL (Laugh Out Loud). If you want to see what her comedy was like before she came out a lesbian or you are a Wanda Sykes fan, watch it. I am a huge fan of hers. I would like to see her in a live how. I am glad she is true to herself now and came out as a lesbian. I hope Wanda keeps on making me and others laugh for a long time to come.",
'overall': 3.0,
'summary': 'I Only Watched Wanda Sykes',
'unixReviewTime': 1400371200,
'reviewTime': '05 18, 2014'},
{'reviewerID': 'A2ALXPBTUXTFLM',
'asin': 'B000H2DMME',
'reviewerName': 'Carlos Garcia',
'helpful': [0, 0],
'reviewText': "Love Comedy Central; Stand-up has a series of seriously funny comedians. If you're ever in need of a comedy fix, I would recommend this series.",
'overall': 5.0,
'summary': 'Great Comedy',
'unixReviewTime': 1400025600,
'reviewTime': '05 14, 2014'},
{'reviewerID': 'A1UZ0NRCX6APV9',
'asin': 'B000H2DMME',
'reviewerName': 'Carrie T.',
'helpful': [0, 0],
'reviewText': "Pretty funny. He has insights that I haven't considered before. Not as vulgar as some other comedians, but not PG either.",
'overall': 3.0,
'summary': 'Funny',
'unixReviewTime': 1387929600,
'reviewTime': '12 25, 2013'},
{'reviewerID': 'A23CG9KXZ7GJ8P',
'asin': 'B000H2DMME',
'reviewerName': 'Charles Barsotti',
'helpful': [0, 0],
'reviewText': 'All stand-up comics are not created equal, but it is nice to have this collection available. Some are very funny.',
'overall': 4.0,
'summary': 'A bit of a grab bag, but worth it',
'unixReviewTime': 1393200000,
'reviewTime': '02 24, 2014'},
{'reviewerID': 'A18RCYV0M8Z2GO',
'asin': 'B000H2DMME',
'reviewerName': 'Charles F.Eshleman',
'helpful': [0, 0],
'reviewText': "This review is meant to cover all of the seasons. As the heading implies, some of the so-calledcomedians were anything but funny, but curiously enough the audience seemed to be gearedto laugh, funny or not. Others' routines were based to much on sex. A small portion were reallyfunny, in some cases hilarious.",
'overall': 3.0,
'summary': 'Some good, some bad.',
'unixReviewTime': 1398211200,
'reviewTime': '04 23, 2014'},
{'reviewerID': 'A10JSEHTYAOOLB',
'asin': 'B000H2DMME',
'reviewerName': 'chris condella',
'helpful': [0, 0],
'reviewText': 'This is classic, brings back memories. So many funny comedians with so many good jokes. I can quote them for days.',
'overall': 5.0,
'summary': 'Funny !',
'unixReviewTime': 1401494400,
'reviewTime': '05 31, 2014'},
{'reviewerID': 'A1KJMZCF79CRUQ',
'asin': 'B000H2DMME',
'reviewerName': 'confused in Colorado',
'helpful': [0, 0],
'reviewText': 'As with most of the comedy shows some performers are diamonds others are lumps of coal. I found it a time filler and little more.',
'overall': 3.0,
'summary': 'Ping Pong',
'unixReviewTime': 1390435200,
'reviewTime': '01 23, 2014'},
{'reviewerID': 'AT4XTAEBQ2KUT',
'asin': 'B000H2DMME',
'reviewerName': 'Courtney R. Owen',
'helpful': [0, 0],
'reviewText': 'I picked this show because that is where some of the great comedians of today got started (as far as getting noticed by a more broader audience) and I would definitely continue watching it until it gets pulled for some reason or another.',
'overall': 5.0,
'summary': 'Funny as Hell!!',
'unixReviewTime': 1391558400,
'reviewTime': '02 5, 2014'},
{'reviewerID': 'A2QRI3OZSVWR1',
'asin': 'B000H2DMME',
'reviewerName': 'Craig C. Campbell',
'helpful': [0, 0],
'reviewText': 'This series is a good way to get to know new talent. Nice, short pieces ... well produced. Check it out.',
'overall': 4.0,
'summary': 'Enjoyable show ...',
'unixReviewTime': 1396483200,
'reviewTime': '04 3, 2014'},
{'reviewerID': 'A27IEIXQW7BZJH',
'asin': 'B000H2DMME',
'reviewerName': 'Cyndi',
'helpful': [0, 0],
'reviewText': "Some of the jokes may be dated, but there are still some funny jokes. I have prime and season 1 was on prime so that's why I watched it.",
'overall': 4.0,
'summary': 'Need a laugh',
'unixReviewTime': 1390435200,
'reviewTime': '01 23, 2014'},
{'reviewerID': 'A2VNJ8FNOD62W9',
'asin': 'B000H2DMME',
'reviewerName': 'Dan B.',
'helpful': [0, 0],
'reviewText': 'I didnt watch "Stand-up" when it aired. Now I see why. I watched several episodes, from several seasons. Not much to brag about. I just got the feeling they were trying to cram "up and comers" on me, like an agent would push his player on a talent scout.',
'overall': 1.0,
'summary': 'Pretty boring for a first season...',
'unixReviewTime': 1371340800,
'reviewTime': '06 16, 2013'},
{'reviewerID': 'A2CX3FIYGREKU2',
'asin': 'B000H2DMME',
'reviewerName': 'dan kuklock',
'helpful': [0, 0],
'reviewText': 'I stopped watching 30 minutes in to the program. It showed todays top comics but in way to short of bits. Each comedian was cut short before they could develope any rythem.',
'overall': 1.0,
'summary': 'Cut Comedy',
'unixReviewTime': 1399852800,
'reviewTime': '05 12, 2014'},
{'reviewerID': 'A2BZZX36DOY7X2',
'asin': 'B000H2DMME',
'reviewerName': 'Darren & Florence "PPP Progressive Proximity ...',
'helpful': [0, 0],
'reviewText': 'I like Lewis Black, Elvira Kurt, and some of the others. But the segments are half hour edited-down parts that should be longer',
'overall': 4.0,
'summary': 'Some good stuff',
'unixReviewTime': 1395187200,
'reviewTime': '03 19, 2014'},
{'reviewerID': 'A2FTR03X6QUWME',
'asin': 'B000H2DMME',
'reviewerName': 'Daryl Ducharme',
'helpful': [4, 4],
'reviewText': "Mitch Hedberg had such great delivery and even though I've heard most if not all these jokes before, they still make me laugh - out loud - even if people are around who might not know what I'm laughing at.",
'overall': 5.0,
'summary': 'Still Funny',
'unixReviewTime': 1330560000,
'reviewTime': '03 1, 2012'},
{'reviewerID': 'A196BAATCEDDI3',
'asin': 'B000H2DMME',
'reviewerName': 'David F. Loy "Loytron"',
'helpful': [0, 0],
'reviewText': 'I am enjoying these whenever I have some down time. The quality and variety of the material is really excellent.',
'overall': 5.0,
'summary': 'very good quality and variety',
'unixReviewTime': 1365465600,
'reviewTime': '04 9, 2013'},
{'reviewerID': 'A2LSZFEFTDRDIJ',
'asin': 'B000H2DMME',
'reviewerName': 'debra marrero',
'helpful': [0, 0],
'reviewText': 'Enjoyed some of the comedians, it was a joy to laugh after losing my father whom I was a caregiver for',
'overall': 5.0,
'summary': 'Some were funny',
'unixReviewTime': 1360454400,
'reviewTime': '02 10, 2013'},
{'reviewerID': 'A3M3BGML47O83H',
'asin': 'B000H2DMME',
'reviewerName': 'derrick',
'helpful': [0, 0],
'reviewText': 'was very funny mitch hedberg is my favirote comedying there is no one else in the world that was like him either',
'overall': 5.0,
'summary': 'funny',
'unixReviewTime': 1397347200,
'reviewTime': '04 13, 2014'},
{'reviewerID': 'A1RJM9LW40QGDO',
'asin': 'B000H2DMME',
'reviewerName': 'DrP',
'helpful': [0, 0],
'reviewText': 'Just OK not as funny as I expectedMaybe too soon in the comedians careers so it would. Probably be better later in seasons',
'overall': 3.0,
'summary': 'OK jokes',
'unixReviewTime': 1391558400,
'reviewTime': '02 5, 2014'},
{'reviewerID': 'A1WILUK06VLVTO',
'asin': 'B000H2DMME',
'reviewerName': 'Eileen Halladay "mink"',
'helpful': [0, 0],
'reviewText': 'AMAZON I am unable to watch anything at all on your site from 6:30 pm to 1;30 amplease fix it asap this not my isp ..',
'overall': 1.0,
'summary': 'AMAZON I am unable to watch Movies',
'unixReviewTime': 1357344000,
'reviewTime': '01 5, 2013'},
{'reviewerID': 'AIU4J1S7UKYNX',
'asin': 'B000H2DMME',
'reviewerName': 'E. Lloyd Cox',
'helpful': [0, 0],
'reviewText': 'The season over all is great . I enjoy a good laugh once in awhile . When you compare them to the great comedians of years gone by such as Bob Hope , Carrol Burnet ect... they are okay.',
'overall': 3.0,
'summary': 'mostly pretty funny',
'unixReviewTime': 1389830400,
'reviewTime': '01 16, 2014'},
{'reviewerID': 'A3IHJUXNLYAKG2',
'asin': 'B000H2DMME',
'reviewerName': 'F1 Fan',
'helpful': [0, 0],
'reviewText': 'The problem with stand up that talks about current events is that it limits the re-watchability. Too dated to be relevant today.',
'overall': 2.0,
'summary': 'Very Old School',
'unixReviewTime': 1398816000,
'reviewTime': '04 30, 2014'},
{'reviewerID': 'A2QVDPYGH3MJ23',
'asin': 'B000H2DMME',
'reviewerName': 'Gumby',
'helpful': [0, 0],
'reviewText': 'Some of my favorite comics have done this show over the years. Brian Regan, Jim Gaffigan, Marc Maron. 15 seasons with gems abound.',
'overall': 4.0,
'summary': 'Stand-up gold mine.',
'unixReviewTime': 1395100800,
'reviewTime': '03 18, 2014'},
{'reviewerID': 'A2PJW64XVDNYY1',
'asin': 'B000H2DMME',
'reviewerName': 'Jay Crystal',
'helpful': [0, 1],
'reviewText': 'This first season was not up to par. The subsequent seasons get better. Disappointed that only part of the first season can be viewed at no charge for Prime customers. When something goes back this far, it should all be at no cost to Prime customers.',
'overall': 3.0,
'summary': 'mildly entertaining',
'unixReviewTime': 1363219200,
'reviewTime': '03 14, 2013'},
{'reviewerID': 'A248RRLX37GKAF',
'asin': 'B000H2DMME',
'reviewerName': 'J. Coleman',
'helpful': [0, 0],
'reviewText': 'What fun to see those comedians all in one place! I was excited to stumble across this, and so much more.',
'overall': 4.0,
'summary': 'Great show!',
'unixReviewTime': 1364947200,
'reviewTime': '04 3, 2013'},
{'reviewerID': 'A398SGDCNF8ZWX',
'asin': 'B000H2DMME',
'reviewerName': 'Jeffrey B. Miley "Pastorjeff"',
'helpful': [0, 0],
'reviewText': 'Too much foul language to really enjoy.Not a prude, just prefer comedians to be cleverrather than vulgar. There is a difference.',
'overall': 3.0,
'summary': 'Angry Comedy not really funny',
'unixReviewTime': 1370217600,
'reviewTime': '06 3, 2013'},
{'reviewerID': 'ALYHVCH0266ZI',
'asin': 'B000H2DMME',
'reviewerName': 'Jenn S.',
'helpful': [0, 0],
'reviewText': 'Overall made our living room filled with laughter, what more could you ask for? We will watch another Stand-Up soon.',
'overall': 4.0,
'summary': 'Made us laugh!',
'unixReviewTime': 1403654400,
'reviewTime': '06 25, 2014'},
{'reviewerID': 'A1JOKU3DAXZ2HC',
'asin': 'B000H2DMME',
'reviewerName': 'jessie',
'helpful': [0, 0],
'reviewText': 'I like Cc....it my favorite channel. Its like watching sports but I enjoy it with the whole family.....its hilarious!! Fantastic!!',
'overall': 4.0,
'summary': ':))',
'unixReviewTime': 1387670400,
'reviewTime': '12 22, 2013'},
{'reviewerID': 'A1M2QEJTEYGI88',
'asin': 'B000H2DMME',
'reviewerName': 'JIM LEONARD',
'helpful': [0, 0],
'reviewText': 'If you like Wanda Sikes this is a pretty funny episode. She does pretty much her normal stuff in it.',
'overall': 3.0,
'summary': 'stand up',
'unixReviewTime': 1398384000,
'reviewTime': '04 25, 2014'},
{'reviewerID': 'AHXFBAEL0U2RJ',
'asin': 'B000H2DMME',
'reviewerName': 'J. Morgan',
'helpful': [0, 0],
'reviewText': 'Big names. Little names. Old names. New names. There is a little bit of everything in the series of shows. A definite must watch for stand up comedy variety!',
'overall': 5.0,
'summary': "it's all good",
'unixReviewTime': 1402531200,
'reviewTime': '06 12, 2014'},
{'reviewerID': 'A11VZ5409YPJIR',
'asin': 'B000H2DMME',
'reviewerName': 'J. OConnell',
'helpful': [0, 1],
'reviewText': "I love most of the stand up acts. They all aren't well known (and that's fine). There are some very funny people in the episodes available. With Amazon Prime, it helps that you aren't taking a chance by buying an episode of a bad performer...just move on to the next one",
'overall': 3.0,
'summary': 'Good talent for the most part',
'unixReviewTime': 1362355200,
'reviewTime': '03 4, 2013'},
{'reviewerID': 'A2P6WQ7IJ5QF3D',
'asin': 'B000H2DMME',
'reviewerName': 'Joey Avila',
'helpful': [0, 0],
'reviewText': 'It was funny. I enjoyed some better than others I would watch some again Mich was great. I would suggest that anyone watching remember the time they were performing.',
'overall': 3.0,
'summary': 'Funny',
'unixReviewTime': 1396137600,
'reviewTime': '03 30, 2014'},
{'reviewerID': 'AOR2A3RNBKRSW',
'asin': 'B000H2DMME',
'reviewerName': 'John Ditch',
'helpful': [0, 0],
'reviewText': 'Wanda Sykes is the stand out star of this video. Always funny to watch. Great performer. Would recommend this to anyone.',
'overall': 5.0,
'summary': 'Funny',
'unixReviewTime': 1388620800,
'reviewTime': '01 2, 2014'},
{'reviewerID': 'AP2H2U3PHXP2O',
'asin': 'B000H2DMME',
'reviewerName': 'John M. Tummon ""Always learning""',
'helpful': [0, 0],
'reviewText': "I had not seen or heard Norm's voice for quite some years so I was glad to have stumbledupon this stand up routine.He went places where it coud be very dodgy for others. serial killers etc.It was a good performance..",
'overall': 4.0,
'summary': 'Norm but Diff',
'unixReviewTime': 1353888000,
'reviewTime': '11 26, 2012'},
{'reviewerID': 'A2705TYWNRS495',
'asin': 'B000H2DMME',
'reviewerName': 'JoJo "J."',
'helpful': [0, 0],
'reviewText': 'First time I have not been able to continue watching these guys. It just was not entertaining for me or my husband.',
'overall': 1.0,
'summary': 'Disappointing',
'unixReviewTime': 1399334400,
'reviewTime': '05 6, 2014'},
{'reviewerID': 'AV0MKGB944XSQ',
'asin': 'B000H2DMME',
'reviewerName': 'Jon ""It\'s Not What You\'re Like, It\'s Wha...',
'helpful': [4, 4],
'reviewText': "I don't think it gets any better than Mitch Hedberg when it comes to stand up comedy. Not over the top, but over the top funny.",
'overall': 5.0,
'summary': 'A legendary show from a legend of comedy',
'unixReviewTime': 1212105600,
'reviewTime': '05 30, 2008'},
{'reviewerID': 'A2FMJIK5WTY6YO',
'asin': 'B000H2DMME',
'reviewerName': 'Joseph kimbrough',
'helpful': [0, 0],
'reviewText': 'Good show kept me laughing all night. I recommend you watch as much as possible. You might split a gut.',
'overall': 4.0,
'summary': 'Watch it.',
'unixReviewTime': 1388793600,
'reviewTime': '01 4, 2014'},
{'reviewerID': 'A2SEHDECWKHCC4',
'asin': 'B000H2DMME',
'reviewerName': 'J. R. Dagger',
'helpful': [0, 0],
'reviewText': "It's great when you're in the mood for stand-up comedy. I'm glad that they offer such a wide selection of comedians.",
'overall': 4.0,
'summary': "It's stand-up.",
'unixReviewTime': 1360454400,
'reviewTime': '02 10, 2013'},
{'reviewerID': 'A3RK2I224T566C',
'asin': 'B000H2DMME',
'reviewerName': 'J. Tim Evans',
'helpful': [0, 0],
'reviewText': 'Most of the comedians on this show give me a good laugh. Thanks for the free chuckle amazon prime. JT',
'overall': 4.0,
'summary': 'Good times',
'unixReviewTime': 1393459200,
'reviewTime': '02 27, 2014'},
{'reviewerID': 'A330RWCC8TY2KS',
'asin': 'B000H2DMME',
'reviewerName': 'J. Wilson "timetriad"',
'helpful': [0, 0],
'reviewText': "You gotta see Bill Burr; Season 7.He's gotta be one of the funniest comedians out there.Amazon Prime members enjoy it for free...",
'overall': 5.0,
'summary': 'Very Funny',
'unixReviewTime': 1361750400,
'reviewTime': '02 25, 2013'},
{'reviewerID': 'A36O8QY8HQB3W4',
'asin': 'B000H2DMME',
'reviewerName': 'Kali',
'helpful': [0, 0],
'reviewText': "This show had some funny comedians, but their time on stage was short. It's a good show I just wish I could have seen more of some of the acts.",
'overall': 3.0,
'summary': 'Lol',
'unixReviewTime': 1388188800,
'reviewTime': '12 28, 2013'},
{'reviewerID': 'A1RC9TMNHP73YJ',
'asin': 'B000H2DMME',
'reviewerName': 'K. Anderson "earth-science-gal"',
'helpful': [2, 2],
'reviewText': 'I wanted it for my collection, however you can sift through all the youtube stuff and end up with the same video for free if you want to do the work.',
'overall': 4.0,
'summary': 'Love the new download!',
'unixReviewTime': 1167868800,
'reviewTime': '01 4, 2007'},
{'reviewerID': 'A3RXD7Z44T9DHW',
'asin': 'B000H2DMME',
'reviewerName': 'Kansas',
'helpful': [0, 0],
'reviewText': 'All the comedians are hilarious. I have seen them all before on Comedy Central but what a great idea to put them all together. I love Amazon prime and I love their shows. They are so much better than Netflix. I got rid of my Netflix Amazon rocks and Netflix well it thymes with rocks but in a bad way.',
'overall': 5.0,
'summary': 'kansas',
'unixReviewTime': 1394064000,
'reviewTime': '03 6, 2014'},
{'reviewerID': 'A2U5GBB2M626SD',
'asin': 'B000H2DMME',
'reviewerName': 'KAREN GUERRERO',
'helpful': [0, 0],
'reviewText': "these are just little snippets from various stand-up artists. would prefer the whole show but it's ok for a laugh or two.",
'overall': 2.0,
'summary': 'not great but ok for a laugh or two',
'unixReviewTime': 1389225600,
'reviewTime': '01 9, 2014'},
{'reviewerID': 'A3P9PWSK9YPN38',
'asin': 'B000H2DMME',
'reviewerName': 'Karly "Karly"',
'helpful': [0, 0],
'reviewText': 'Recommend it. Very good show. It is good clean fun and geared towards the young and the old. All ages.',
'overall': 5.0,
'summary': 'Great entertainment!',
'unixReviewTime': 1388534400,
'reviewTime': '01 1, 2014'},
{'reviewerID': 'ARIBG1L0LLVCW',
'asin': 'B000H2DMME',
'reviewerName': 'Kay',
'helpful': [0, 0],
'reviewText': 'I only watched one comedian. He was just so-so funny for me. Stand-up comedy is a matter of very personal taste.',
'overall': 3.0,
'summary': 'A MATTER OF PERSONAL TASTE',
'unixReviewTime': 1361404800,
'reviewTime': '02 21, 2013'},
{'reviewerID': 'ALPF35EF5R3IM',
'asin': 'B000H2DMME',
'reviewerName': 'Kenneth Duncan "Kenszii"',
'helpful': [0, 0],
'reviewText': 'Was looking for something to watch before bed and came across this. Gave me some good laughs... Some are meh.. But there are some good comedians on here...',
'overall': 4.0,
'summary': 'Not bad...',
'unixReviewTime': 1372204800,
'reviewTime': '06 26, 2013'},
{'reviewerID': 'ATNKVTVS1HIZP',
'asin': 'B000H2DMME',
'reviewerName': 'KoNaLo808 "ainoskedu"',
'helpful': [0, 0],
'reviewText': "After a hard day, it's great to watch some of the classics comedians do their thing. Cracks me up every time!",
'overall': 5.0,
'summary': 'Great laughs!',
'unixReviewTime': 1387670400,
'reviewTime': '12 22, 2013'},
{'reviewerID': 'AQ11UFTQ8QIHF',
'asin': 'B000H2DMME',
'reviewerName': 'Larry E. Stapleton',
'helpful': [0, 0],
'reviewText': 'The availability of seeing your favorite comedians on demand is certainly a great thing. The experience is only clouded by the less than stellar video resolution of some of the videos. The CC Presents series would have rated five stars if better resolution were possible.',
'overall': 4.0,
'summary': 'The best of Comedy Central on demand',
'unixReviewTime': 1372204800,
'reviewTime': '06 26, 2013'},
{'reviewerID': 'A3383V3BUO52Y8',
'asin': 'B000H2DMME',
'reviewerName': 'Lori A. Brown "grasshopper76"',
'helpful': [0, 0],
'reviewText': 'It is so important not to take life too seriously. I watch comedy every day and laughing lifts my spirits, I think it keeps me healthy. There are so many talented comics, I want to see them all. Thank you amazon and comedy central',
'overall': 5.0,
'summary': 'every day',
'unixReviewTime': 1394928000,
'reviewTime': '03 16, 2014'},
{'reviewerID': 'A3PZM3W6WW8MBQ',
'asin': 'B000H2DMME',
'reviewerName': 'marc Hudson',
'helpful': [0, 0],
'reviewText': 'I love the Comedy Central on Amazon Prime the comedy that they have is good is great i love it funny',
'overall': 4.0,
'summary': 'very funny',
'unixReviewTime': 1388966400,
'reviewTime': '01 6, 2014'},
{'reviewerID': 'AAWV26JJ1SGS0',
'asin': 'B000H2DMME',
'reviewerName': 'Margaret G. Louk "loves music"',
'helpful': [0, 0],
'reviewText': "There were some good entertainers, and some are just dumb. I kept a paper and pen and wrote down names of the ones I wanted to see more. They keep them in fairly short bits. If you are looking to laugh continuous this may not be for you. But each person has a different sense of humor so give it a try, but don't expect greatness.",
'overall': 3.0,
'summary': 'Not something I want to watch over and over',
'unixReviewTime': 1392249600,
'reviewTime': '02 13, 2014'},
{'reviewerID': 'AI3GFHCJN9XHR',
'asin': 'B000H2DMME',
'reviewerName': 'Maria Rodriguez R.',
'helpful': [0, 0],
'reviewText': "Perfect for who's looking to relax and just laugh for 30 minutes. You can also learn about some new comedians.",
'overall': 5.0,
'summary': 'Hilarious!',
'unixReviewTime': 1373932800,
'reviewTime': '07 16, 2013'},
{'reviewerID': 'A2MOWYATSQ2EGV',
'asin': 'B000H2DMME',
'reviewerName': 'Marie E. Schafer',
'helpful': [0, 0],
'reviewText': 'This game little too childish for me and sometimes annoying. I would prefer to play other games instead. Reminds me of Candy Land.',
'overall': 2.0,
'summary': 'OK',
'unixReviewTime': 1389657600,
'reviewTime': '01 14, 2014'},
{'reviewerID': 'AS2AMJR6JJZSS',
'asin': 'B000H2DMME',
'reviewerName': 'mari franks',
'helpful': [0, 0],
'reviewText': 'Very funny. Some of the comedians were funnier than the others. We were laughing so hard the dog thought something was wrong with us',
'overall': 5.0,
'summary': 'comedian clips',
'unixReviewTime': 1391817600,
'reviewTime': '02 8, 2014'},
{'reviewerID': 'AK4PXMOWKSS0K',
'asin': 'B000H2DMME',
'reviewerName': 'M. Goen',
'helpful': [0, 0],
'reviewText': "She's very funny, and race jokes are at a minimum in her "set", which pleasantly surprised me (since most black comedians tend to fall back on racial humor). You can't really go wrong when watching stand-up...",
'overall': 4.0,
'summary': 'young wanda Sykes with straightened hair! ha',
'unixReviewTime': 1393459200,
'reviewTime': '02 27, 2014'},
{'reviewerID': 'A3QQVHLUKUOMPF',
'asin': 'B000H2DMME',
'reviewerName': 'M. H. Thurman',
'helpful': [0, 0],
'reviewText': 'Soooo funny! I loved Wanda here, but I liked her better after she came out. These comedy central shows are too short, too.',
'overall': 4.0,
'summary': 'wanda in her married period',
'unixReviewTime': 1366848000,
'reviewTime': '04 25, 2013'},
{'reviewerID': 'A1LOFR27G021M8',
'asin': 'B000H2DMME',
'reviewerName': 'Michael N. Ruggiero',
'helpful': [0, 0],
'reviewText': 'Caught this gem scrolling through the selections. The question is, will they be refreshed. If yes, then this content is a mother lode of laughs.',
'overall': 4.0,
'summary': 'One good hit after another',
'unixReviewTime': 1394064000,
'reviewTime': '03 6, 2014'},
{'reviewerID': 'A87Y04DFT5BL6',
'asin': 'B000H2DMME',
'reviewerName': 'mike2184',
'helpful': [0, 0],
'reviewText': "Hilarious! I have seen this many times and it's still funny. Heck, I have most of his jokes memorized somewhere in my noggin. RIP Mitch!",
'overall': 4.0,
'summary': 'Great show',
'unixReviewTime': 1350432000,
'reviewTime': '10 17, 2012'},
{'reviewerID': 'A255KC3YZWJTV4',
'asin': 'B000H2DMME',
'reviewerName': 'M. J. Ventrella',
'helpful': [0, 1],
'reviewText': 'Funny is funny and Wanda Sykes and Lewis Black are funny in any decade. History should always be this hysterical.',
'overall': 5.0,
'summary': 'Still funny after all these years...',
'unixReviewTime': 1391126400,
'reviewTime': '01 31, 2014'},
{'reviewerID': 'A2YPHC1TH2799U',
'asin': 'B000H2DMME',
'reviewerName': 'Msdflynel',
'helpful': [0, 0],
'reviewText': "This was a very good movie. I would recommend it to those who love laughter and having fun. It's a great movie to share with others.",
'overall': 5.0,
'summary': 'Great!!!',
'unixReviewTime': 1379894400,
'reviewTime': '09 23, 2013'},
{'reviewerID': 'AF1ZY6VMSM9Y7',
'asin': 'B000H2DMME',
'reviewerName': 'NURIA BASANEZ',
'helpful': [0, 0],
'reviewText': 'Most of these are to dorky sense of humor. my favorite is wanda comedian.Ok I just started watching maybe it will get better',
'overall': 3.0,
'summary': 'wanda',
'unixReviewTime': 1391990400,
'reviewTime': '02 10, 2014'},
{'reviewerID': 'A2BIQZEYE96PJY',
'asin': 'B000H2DMME',
'reviewerName': 'Patrick Ferguson "TheUSMale2"',
'helpful': [0, 0],
'reviewText': "It's the same show on cable TV. If you like that, then this is for you. The ability to use the voice search is great for this type of program.",
'overall': 5.0,
'summary': 'As u see it on TV',
'unixReviewTime': 1399852800,
'reviewTime': '05 12, 2014'},
{'reviewerID': 'A1QWS307H5N7NT',
'asin': 'B000H2DMME',
'reviewerName': 'Paul Roach III',
'helpful': [0, 0],
'reviewText': 'I love stand up and really love that my prime account has a good bunch of acts right at my finger tip',
'overall': 4.0,
'summary': 'FUNNY PEOPLE FUNNY TIMES..',
'unixReviewTime': 1389398400,
'reviewTime': '01 11, 2014'},
{'reviewerID': 'A2XWPSW5ZKSDKN',
'asin': 'B000H2DMME',
'reviewerName': 'P. Gowen',
'helpful': [0, 0],
'reviewText': 'We may be a little old for much of the modern comedy, but for us, there were few gems here. Many of the skits started well but lacked staying power.',
'overall': 2.0,
'summary': 'A very mixed bag of laughs',
'unixReviewTime': 1388793600,
'reviewTime': '01 4, 2014'},
{'reviewerID': 'A2VFDEQD9MQG48',
'asin': 'B000H2DMME',
'reviewerName': 'Princess Jule',
'helpful': [0, 0],
'reviewText': "The material was old and if ur a Wanda Sykes fan u already heard it but it's still funny so try it",
'overall': 3.0,
'summary': 'Old but still Funny',
'unixReviewTime': 1389052800,
'reviewTime': '01 7, 2014'},
{'reviewerID': 'A3PJPWBS00BF9W',
'asin': 'B000H2DMME',
'reviewerName': 'ProTronics',
'helpful': [0, 0],
'reviewText': "Simple formula. Stand-up comedy for a 22 min half hour (no commericals), and see who makes you laugh the most. I saw there were already at least 15 Seasons and Comedy Central is still airing these Tuesday nights at 12AM. I have a lot of catching up to do. Nice that I don't have to commit to a full hour which is usually the case with shows like Last Comic Standing, etc.",
'overall': 5.0,
'summary': "Liked the 1st Season so much -- I'm headed to Season 2..",
'unixReviewTime': 1402963200,
'reviewTime': '06 17, 2014'},
{'reviewerID': 'AXM3GQLD0CHIL',
'asin': 'B000H2DMME',
'reviewerName': 'Ray Shiva',
'helpful': [0, 0],
'reviewText': 'Great variety of good comics. Each show is just the right length to not get boring. The comics are really funny too.',
'overall': 5.0,
'summary': 'Excellent!',
'unixReviewTime': 1366761600,
'reviewTime': '04 24, 2013'},
{'reviewerID': 'A1BQKKMVENBDF6',
'asin': 'B000H2DMME',
'reviewerName': 'R. Carr "Bob"',
'helpful': [0, 0],
'reviewText': "So far Ive watched the first three seasons. I wasn't impressed. But thats just me. Though Im from the Dean Martin Roast era, I still laugh at today's witty comedy. Repeat...witty. I really haven't seen it here. There were a few that got some deep laughs from me, but not many. The rest were like watching a high school kid trying to hit serious major league pitching. Miserable. It felt the audience were just giving polite obligatory laughter. Slapstick, sarcasm, absurd observation of real events, twisting the news relating life events and Daria like delivery are main ingredients that make up stand-up work, one still has to use perfect delivery. If the home viewer doesn't find themselves belly laughing by the first commercial break, time to move on. Unlike the audience, I didn't directly pay to see this. But like its said, Comedy in the eyes of the beholder.",
'overall': 2.0,
'summary': 'CC should stand up and leave',
'unixReviewTime': 1402358400,
'reviewTime': '06 10, 2014'},
{'reviewerID': 'AS3MXWXXJIL3O',
'asin': 'B000H2DMME',
'reviewerName': 'Rebecca Blake',
'helpful': [0, 0],
'reviewText': 'If you like to laugh or having a bad day and need to cheer up there is no better way than comedy central presents I am telling you I laughed so hard I cried I am in a office by myself for 8 hrs a day so I need a laugh from time to time and if you can picture me sitting at my desk in a quiet boring office laughing and crying I tell ya this thought alone is worth a laugh! Happy laughing!!!',
'overall': 5.0,
'summary': 'Still laughing!!',
'unixReviewTime': 1390867200,
'reviewTime': '01 28, 2014'},
{'reviewerID': 'A14KUQ0C1SF3BF',
'asin': 'B000H2DMME',
'reviewerName': 'R. G. Dyman',
'helpful': [0, 1],
'reviewText': "I went into this hoping for a few laughs and it didn't disappoint. I had a few laughs. But after a few days I could not tell you any of the jokes.But humor is subjective so if you are at all interested, give this show a try. You may find it more to your liking than I did.",
'overall': 3.0,
'summary': 'Nothing special',
'unixReviewTime': 1372550400,
'reviewTime': '06 30, 2013'},
{'reviewerID': 'AG16G8I2UEM2M',
'asin': 'B000H2DMME',
'reviewerName': 'Robert Puryear',
'helpful': [0, 0],
'reviewText': "What's not to like? Mitch at his best. If you like off the wall, unique perspective humor, light one up and enjoy.",
'overall': 5.0,
'summary': 'MITCH ROCKS',
'unixReviewTime': 1388448000,
'reviewTime': '12 31, 2013'},
{'reviewerID': 'AYCGI5JRRISTJ',
'asin': 'B000H2DMME',
'reviewerName': 'Roger Keith Ing',
'helpful': [0, 0],
'reviewText': 'I loved the humor of the stand-up comics featured here. I only got the free episode listed at the beginning of the season, but it probably gives a good idea of what is contained in the rest of the season. I have actually watched several episodes of this season when I was having a free 30-day trial membership in Amazon prime, which I eventually plan to become a paid subscriber to.',
'overall': 5.0,
'summary': 'Very Funny',
'unixReviewTime': 1362787200,
'reviewTime': '03 9, 2013'},
{'reviewerID': 'A1939G7K0LLQ8P',
'asin': 'B000H2DMME',
'reviewerName': 'Rugby',
'helpful': [0, 0],
'reviewText': 'It was fine - not my favorite but a comic on her way up. Some of the same cliche material I hear from others but a spark if the individual world view comes to the fore.',
'overall': 3.0,
'summary': 'A Matter of Preference',
'unixReviewTime': 1333929600,
'reviewTime': '04 9, 2012'},
{'reviewerID': 'A2VV9SSYXDJ0EJ',
'asin': 'B000H2DMME',
'reviewerName': 'RxTech',
'helpful': [0, 0],
'reviewText': 'OK - but nothing to write home about - I would not recommend it.But one of only a few that I would watch',
'overall': 1.0,
'summary': 'Not that great',
'unixReviewTime': 1402185600,
'reviewTime': '06 8, 2014'},
{'reviewerID': 'AF0WO620LZCE8',
'asin': 'B000H2DMME',
'reviewerName': 'Ryan Price "@liberatr"',
'helpful': [0, 0],
'reviewText': "We were looking for a particular Kevin Meaney bit - turns out it was only found on the Comedy Central website. Still, this is a great collected sample of Kevin's "greatest hits" from the 90s.",
'overall': 5.0,
'summary': 'Kevin Meaney',
'unixReviewTime': 1371686400,
'reviewTime': '06 20, 2013'},
{'reviewerID': 'A1K4FHAPVKMN3Q',
'asin': 'B000H2DMME',
'reviewerName': 'Sara',
'helpful': [0, 0],
'reviewText': 'This was boring. Only liked Wanda, but then comedy central quality always seems to be going down hill. Will try other seasons.',
'overall': 1.0,
'summary': 'Boring',
'unixReviewTime': 1389830400,
'reviewTime': '01 16, 2014'},
{'reviewerID': 'A3Q7NMK0YN5YV0',
'asin': 'B000H2DMME',
'reviewerName': 'Sara Marlin',
'helpful': [0, 0],
'reviewText': 'one of the greatest. . .lots of laughs . . good variety of comedy. . .little spice and some sugar to boot',
'overall': 5.0,
'summary': 'funny',
'unixReviewTime': 1360195200,
'reviewTime': '02 7, 2013'},
{'reviewerID': 'AA6JJ66YJE2Z1',
'asin': 'B000H2DMME',
'reviewerName': 'Scott',
'helpful': [0, 0],
'reviewText': 'Mike hedberg is so funny. His tell it like it is style is unexpectedly funny. His death was a horrible loss to comedy.',
'overall': 5.0,
'summary': 'Awesome!',
'unixReviewTime': 1389916800,
'reviewTime': '01 17, 2014'},
{'reviewerID': 'A1J0HKP6H864IZ',
'asin': 'B000H2DMME',
'reviewerName': 'Scottie J',
'helpful': [0, 0],
'reviewText': 'I really liked the Wanda Sykes and Lewis Black episodes. Reminds me of the old HBO one night stands for up and coming comedians.',
'overall': 4.0,
'summary': 'Funny',
'unixReviewTime': 1367366400,
'reviewTime': '05 1, 2013'},
{'reviewerID': 'A28SIOH1KB249M',
'asin': 'B000H2DMME',
'reviewerName': 'Seag930',
'helpful': [0, 0],
'reviewText': "Can't complain when there are no commercials. As usual, all the comedians are funny!!! I could watch this again and again.",
'overall': 5.0,
'summary': 'Hilarious!',
'unixReviewTime': 1395964800,
'reviewTime': '03 28, 2014'},
{'reviewerID': 'A28MYNPC17IFCF',
'asin': 'B000H2DMME',
'reviewerName': 'Sergio Muneton',
'helpful': [0, 0],
'reviewText': 'Very entertaining, make me laugh a lot time goes pretty quick when I am watching all these crazy comedians. Very funny.',
'overall': 4.0,
'summary': 'Awesome',
'unixReviewTime': 1399680000,
'reviewTime': '05 10, 2014'},
{'reviewerID': 'AICUWMWG4NX95',
'asin': 'B000H2DMME',
'reviewerName': 'slm "slm"',
'helpful': [0, 0],
'reviewText': 'Show was approx. 3 min snipets of various comedians. Some were great....others just okay....but nothing distasteful or vulgar. Good entertainment.',
'overall': 4.0,
'summary': 'Love to laugh',
'unixReviewTime': 1395273600,
'reviewTime': '03 20, 2014'},
{'reviewerID': 'A31BEMT2WR2M9W',
'asin': 'B000H2DMME',
'reviewerName': 'Susan K Krill',
'helpful': [0, 0],
'reviewText': 'A nice way to hang out and hear some comedy. They have weird pausing points but the act is good!',
'overall': 5.0,
'summary': 'Comedy Central',
'unixReviewTime': 1399420800,
'reviewTime': '05 7, 2014'},
{'reviewerID': 'A2OFPVGI7R49WD',
'asin': 'B000H2DMME',
'reviewerName': 'Tim',
'helpful': [0, 0],
'reviewText': "If you like Aziz, it doen't get better than this. Arguably funnier than his self released content, though both are excellent!",
'overall': 5.0,
'summary': 'Funny.',
'unixReviewTime': 1365638400,
'reviewTime': '04 11, 2013'},
{'reviewerID': 'A892KW6GCDE2D',
'asin': 'B000H2DMME',
'reviewerName': 'Tracy Chandler',
'helpful': [0, 0],
'reviewText': "Even though the shows were from the 90's much of the comedy is still relevant. Also liked the fact that most of ones I watched were not full of swearing, negative put down type of humor or overly suggestive or lewd.",
'overall': 4.0,
'summary': 'Like to laugh',
'unixReviewTime': 1394582400,
'reviewTime': '03 12, 2014'},
{'reviewerID': 'A2LUBUMIQEVWD3',
'asin': 'B000H2DMME',
'reviewerName': 'Tristan "Tristan"',
'helpful': [0, 0],
'reviewText': "It is nice to see some of the more popular comedians when they were first starting out. You can tell why some made it big and some didn't. If you like stand up comedy, I recommend giving it a try.",
'overall': 3.0,
'summary': 'Pretty good but not great',
'unixReviewTime': 1388620800,
'reviewTime': '01 2, 2014'},
{'reviewerID': 'A1F0B9JXBTFWHF',
'asin': 'B000H2DMME',
'reviewerName': 'William Boyce',
'helpful': [0, 0],
'reviewText': 'Wanda is one of my favorite comedians. This performance shows her comedic gift -- how she can connect with the audience and deliver her "hilarious" blend of wit and sarcasm.',
'overall': 4.0,
'summary': 'Wanda is one of my favorite comedians',
'unixReviewTime': 1392595200,
'reviewTime': '02 17, 2014'},
{'reviewerID': 'AFZK5J1LDFKU8',
'asin': 'B000H2DMME',
'reviewerName': 'Yo',
'helpful': [0, 0],
'reviewText': 'Like a lot. I was streaming the comedy block while at work. I coulrmt watch but only listen and not only did a very stressful day become less chaotic but I was able to laugh throughout.',
'overall': 4.0,
'summary': 'needed to laugh',
'unixReviewTime': 1398556800,
'reviewTime': '04 27, 2014'},
{'reviewerID': 'A2SVETDY9C0DVN',
'asin': 'B000H2DTWM',
'reviewerName': 'Aaron S.',
'helpful': [0, 0],
'reviewText': 'More comics that have since these performances have blown up! I highly recommend for comedy fans casual and hardcore. great stuff!',
'overall': 4.0,
'summary': 'Comedy',
'unixReviewTime': 1364774400,
'reviewTime': '04 1, 2013'},
{'reviewerID': 'A16DQJY44KWOCJ',
'asin': 'B000H2DTWM',
'reviewerName': 'A. dorgan',
'helpful': [0, 1],
'reviewText': 'I watched three of the acts and did not find them very funny. i did not bother watching the whole thing.',
'overall': 2.0,
'summary': 'disappointed',
'unixReviewTime': 1381190400,
'reviewTime': '10 8, 2013'},
{'reviewerID': 'ALYY38TAX19AL',
'asin': 'B000H2DTWM',
'reviewerName': 'Amazon Customer "Edge"',
'helpful': [0, 0],
'reviewText': "Dave Attell close captioning does not match voice (I'm hard of hearing not deaf, so I noticed it after laughter did not match end of joke)The jokes on (cc) were ok and the ones I could hear on voice were as well but having messed up (cc) is no laughing matter - joke intended - to those who are deaf or hard of hearing so one star until it is fixed!",
'overall': 1.0,
'summary': 'opps!',
'unixReviewTime': 1396656000,
'reviewTime': '04 5, 2014'},
{'reviewerID': 'A3UKPU7WJXZR3L',
'asin': 'B000H2DTWM',
'reviewerName': 'Barbara Whitesides',
'helpful': [0, 0],
'reviewText': 'Just not that funny. These are usually some pretty funny comics- but their stuff seems to be lacking in this series.',
'overall': 3.0,
'summary': 'Not impressed',
'unixReviewTime': 1392422400,
'reviewTime': '02 15, 2014'},
{'reviewerID': 'A3AB05EBOU0P9I',
'asin': 'B000H2DTWM',
'reviewerName': 'Bhawkh60',
'helpful': [0, 3],
'reviewText': "I didn't even crack a smile and have up about ten minutes into the show. Don't bother raising your time.",
'overall': 1.0,
'summary': 'not funny',
'unixReviewTime': 1376352000,
'reviewTime': '08 13, 2013'},
{'reviewerID': 'A1I1U2M5KSPY1R',
'asin': 'B000H2DTWM',
'reviewerName': 'crosscountryman',
'helpful': [0, 0],
'reviewText': 'All of the comedians were funny even Margaret Smith and Kevin Neely. However, the last guy was anything, but funny. Otherwise it was way better overall than I thought it would be and hope AZon gets more of these for lighter fare.',
'overall': 4.0,
'summary': 'Pretty Good til the last guy!',
'unixReviewTime': 1400371200,
'reviewTime': '05 18, 2014'},
{'reviewerID': 'A29LRTXAWRAK2T',
'asin': 'B000H2DTWM',
'reviewerName': 'Dale Wittman',
'helpful': [1, 2],
'reviewText': 'I am of the type that does not like vulgarity from a comedian... I think it is a cheap attempt to get a laugh. So far only about 1 out of 5 shows on this series are worth watching.',
'overall': 3.0,
'summary': 'Not bad',
'unixReviewTime': 1367452800,
'reviewTime': '05 2, 2013'},
{'reviewerID': 'A3V6QHSER56D5Y',
'asin': 'B000H2DTWM',
'reviewerName': 'Darren Olson',
'helpful': [0, 1],
'reviewText': "Worth a look, but not the funniest thing ever. Too edited for tv. I am not a fan of censorship, especially if I'm paying for the content.",
'overall': 3.0,
'summary': 'ok, not great',
'unixReviewTime': 1376784000,
'reviewTime': '08 18, 2013'},
{'reviewerID': 'A1PXANB838QKH9',
'asin': 'B000H2DTWM',
'reviewerName': 'david colin',
'helpful': [0, 2],
'reviewText': 'It is simply not funny, I know it must be hard to be a stand up comic but this just doesnt make it. Sorry',
'overall': 1.0,
'summary': 'It Is Simply Not funny',
'unixReviewTime': 1382918400,
'reviewTime': '10 28, 2013'},
{'reviewerID': 'AHLZPUJDK6BCK',
'asin': 'B000H2DTWM',
'reviewerName': 'Douglas Thomas',
'helpful': [1, 1],
'reviewText': 'Seeing a lot of comedians before they got "big"... seeing some that should have gone further.Fun to watch for a few nights.',
'overall': 5.0,
'summary': 'Always a Classic',
'unixReviewTime': 1383091200,
'reviewTime': '10 30, 2013'},
{'reviewerID': 'AJ73R5T3F7KFI',
'asin': 'B000H2DTWM',
'reviewerName': 'Edward H. Reiss, Jr.',
'helpful': [0, 0],
'reviewText': "I have watched certain episodes because I know the comedian and like his/her work. Other episodes I would not watch because I don't like those performers or find their work offensive. It all depends on your taste!",
'overall': 4.0,
'summary': 'Each episode delivers a different, and different type of performer',
'unixReviewTime': 1388361600,
'reviewTime': '12 30, 2013'},
{'reviewerID': 'A13T8KJYTI4Y1B',
'asin': 'B000H2DTWM',
'reviewerName': 'gman0710',
'helpful': [1, 1],
'reviewText': 'This just brighten my day when you just want to laugh after along work day and it beats just watching tv',
'overall': 5.0,
'summary': 'relaxing',
'unixReviewTime': 1375660800,
'reviewTime': '08 5, 2013'},
{'reviewerID': 'A1REMSD47RRG45',
'asin': 'B000H2DTWM',
'reviewerName': 'integritess',
'helpful': [0, 1],
'reviewText': "Their are some really good comedians on here. I only gave it 3 stars, because I don't care for vulgar tasteless sexual jokes and heavy cursing. However, the nice thing about the Season, is I was able to switch to another comedian and find the ones that weren't offensive to me and I was almost peeing in my pants laughing.",
'overall': 3.0,
'summary': 'A few great comedians. . .',
'unixReviewTime': 1377302400,
'reviewTime': '08 24, 2013'},
{'reviewerID': 'A19MZORAAD9J6T',
'asin': 'B000H2DTWM',
'reviewerName': 'Jason Mardis',
'helpful': [0, 1],
'reviewText': "This isn't Patton's best. Check out the magician joke that he does on one of his albums. That is some of his funniest stuff!",
'overall': 1.0,
'summary': 'Not His Best',
'unixReviewTime': 1393632000,
'reviewTime': '03 1, 2014'},
{'reviewerID': 'A37UWTXONH56GL',
'asin': 'B000H2DTWM',
'reviewerName': 'Jillymo',
'helpful': [2, 3],
'reviewText': "Even from 1999, I still quote her comedy. If you were ever a kid, you're going to laugh and laugh!",
'overall': 5.0,
'summary': 'Even from 1999, I still quote her comedy',
'unixReviewTime': 1353801600,
'reviewTime': '11 25, 2012'},
{'reviewerID': 'A1CI3KCZZLUUF8',
'asin': 'B000H2DTWM',
'reviewerName': 'Joe from Indiana',
'helpful': [0, 0],
'reviewText': "Rent it! You won't be disappointed. Great comics with a few big names early on in their television stand-up career.",
'overall': 5.0,
'summary': 'Comedy Gold',
'unixReviewTime': 1370995200,
'reviewTime': '06 12, 2013'},
{'reviewerID': 'A1JWX6NZI0ECBI',
'asin': 'B000H2DTWM',
'reviewerName': 'John N. Barwick',
'helpful': [0, 0],
'reviewText': 'To laugh is good for you and Comedy Central is a great place to find stand up comedy! I just love these stand ups!',
'overall': 5.0,
'summary': 'Laugh out loud!',
'unixReviewTime': 1389052800,
'reviewTime': '01 7, 2014'},
{'reviewerID': 'A8VKBIPJ62JDS',
'asin': 'B000H2DTWM',
'reviewerName': 'JOHN QUINN',
'helpful': [0, 3],
'reviewText': "I had to turn this off, too vulgarI really should have expected that since it was Comedy Central's Garbage",
'overall': 1.0,
'summary': 'TOO VULGAR',
'unixReviewTime': 1381795200,
'reviewTime': '10 15, 2013'},
{'reviewerID': 'AJ2BNNTODMDET',
'asin': 'B000H2DTWM',
'reviewerName': 'Josue E Moreno',
'helpful': [0, 0],
'reviewText': 'I really like Dave Attel. I wish I could see him live, but I can never get to any of his shows in So Cal.',
'overall': 5.0,
'summary': 'very funny',
'unixReviewTime': 1376006400,
'reviewTime': '08 9, 2013'},
{'reviewerID': 'A1Y29FJA0GI71J',
'asin': 'B000H2DTWM',
'reviewerName': 'kermit12',
'helpful': [0, 0],
'reviewText': "this is funny stuff. up roaringly funny. the "old" kind of funny, where every work did not start with an F and end with a reference to a HOA.I keep this on in the background in my house just to keep it alive.At night, I get to watch it with my kids and they love it also.I'm grateful that it is free with PRIME. I would not have the money to buy it. This PRIME program is the best thing since swiss cheese.I love it!!!I look forward to Amazon bringing all the older stuff back. And without commercials. YEAH",
'overall': 5.0,
'summary': 'laughs galore',
'unixReviewTime': 1369267200,
'reviewTime': '05 23, 2013'},
{'reviewerID': 'A3J59EA227HUOA',
'asin': 'B000H2DTWM',
'reviewerName': 'KJB5200',
'helpful': [0, 2],
'reviewText': "This is a joke! This episode wasn't even Dave Attell! It was some other guy (can't remember his name) who wasn't nearly as funny. Found several other episodes in other seasons that are like this too (Dane Cook in Season 3 was really Frank the Magician..) Complete waste of time. Get your streaming straight Amazon!",
'overall': 1.0,
'summary': 'Not even Dave Attell!',
'unixReviewTime': 1390262400,
'reviewTime': '01 21, 2014'},
{'reviewerID': 'A9HHB4Q3X7M9W',
'asin': 'B000H2DTWM',
'reviewerName': 'L. Edward Domecq "SuperDome"',
'helpful': [0, 0],
'reviewText': "Didn't even finish watching the first video, it had that uncomfortable feel of an unfunny uncle, who thinks he IS funny, at Thanksgiving dinner.",
'overall': 1.0,
'summary': 'Nyet!',
'unixReviewTime': 1401321600,
'reviewTime': '05 29, 2014'},
{'reviewerID': 'A2WVYWWEPQYF63',
'asin': 'B000H2DTWM',
'reviewerName': 'lorie e zerbe',
'helpful': [0, 0],
'reviewText': "I don't normally do reviews for Amazon as I don't like beingg told how long my review has to be, and have to review it over and over again--However--was very pleased to be able to see all the seasons of Comedy Central Standup.",
'overall': 5.0,
'summary': 'great',
'unixReviewTime': 1375056000,
'reviewTime': '07 29, 2013'},
{'reviewerID': 'A1E6DNEC8S95M4',
'asin': 'B000H2DTWM',
'reviewerName': 'LOUIS DE ALESSI',
'helpful': [0, 0],
'reviewText': 'Some comedians are better than others, but the overall level is quite good and some acts are outstanding. Some performances date back a few years.',
'overall': 4.0,
'summary': 'Quite good',
'unixReviewTime': 1395273600,
'reviewTime': '03 20, 2014'},
{'reviewerID': 'ANDDSFNTG4P7E',
'asin': 'B000H2DTWM',
'reviewerName': 'Marc',
'helpful': [0, 0],
'reviewText': "An Eclectic source for comedy. I only wish they wouldn't censor (Bleep Out) certain parts of the comedian(s) dialogue. You gotta love Wanda Sykes,... always genuine.",
'overall': 4.0,
'summary': 'A Pick me Up',
'unixReviewTime': 1368921600,
'reviewTime': '05 19, 2013'},
{'reviewerID': 'A2DX21R5KUVWQC',
'asin': 'B000H2DTWM',
'reviewerName': 'Mark Huth',
'helpful': [0, 0],
'reviewText': 'quality comedy reasonably priced from a whole bunch of different comedians from over the years and more than ever before',
'overall': 5.0,
'summary': 'Quality comedy',
'unixReviewTime': 1372550400,
'reviewTime': '06 30, 2013'},
{'reviewerID': 'A2CN7EXM939OEY',
'asin': 'B000H2DTWM',
'reviewerName': 'Meleve1',
'helpful': [0, 0],
'reviewText': 'Love to laugh and really enjoy watching different comedians before I go to sleep. Helps with stress and makes for sweet sleep. Plus love that it is free through Amazon prime.',
'overall': 4.0,
'summary': 'funny',
'unixReviewTime': 1394841600,
'reviewTime': '03 15, 2014'},
{'reviewerID': 'A3LI2T6AF0SHW7',
'asin': 'B000H2DTWM',
'reviewerName': 'Milo Grika',
'helpful': [0, 1],
'reviewText': "I think we only enjoyed two or three comedians in this series. Still, it's great to be able to skip a poor performance and move on to the next.",
'overall': 3.0,
'summary': 'Dated and generally not very funny',
'unixReviewTime': 1381449600,
'reviewTime': '10 11, 2013'},
{'reviewerID': 'A1PG94J7RHZY0N',
'asin': 'B000H2DTWM',
'reviewerName': 'motherof4',
'helpful': [0, 2],
'reviewText': "Just not as funny as other specials I've seen. Seems to be too much content that's pushing to be funny for the audience instead of the comics' natural comedy flowing.",
'overall': 2.0,
'summary': "Just not as funny a I've seen",
'unixReviewTime': 1380412800,
'reviewTime': '09 29, 2013'},
{'reviewerID': 'ANZF8KKKSKJE2',
'asin': 'B000H2DTWM',
'reviewerName': 'Old School',
'helpful': [0, 0],
'reviewText': 'Great collection.',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1404086400,
'reviewTime': '06 30, 2014'},
{'reviewerID': 'A3JEX6D0WLCD7R',
'asin': 'B000H2DTWM',
'reviewerName': 'Orca1',
'helpful': [0, 0],
'reviewText': "It's good to be able to escape those cursed advertisements..especially when the show is such a good one in every way.",
'overall': 4.0,
'summary': 'An excelant show with no commercials',
'unixReviewTime': 1395878400,
'reviewTime': '03 27, 2014'},
{'reviewerID': 'A18ZFV1PAVIU77',
'asin': 'B000H2DTWM',
'reviewerName': 'richyrich',
'helpful': [0, 4],
'reviewText': "I don't like to be negative, so I'll just advise everyone to spend their time elsewhere. Also, I enjoy going to the zoo.",
'overall': 1.0,
'summary': '-',
'unixReviewTime': 1339372800,
'reviewTime': '06 11, 2012'},
{'reviewerID': 'A30KGXYJA9NGRD',
'asin': 'B000H2DTWM',
'reviewerName': 'sandie',
'helpful': [0, 1],
'reviewText': 'very funny! Listened to this while crafting, made it go much faster and took my mind off what I was doing',
'overall': 5.0,
'summary': 'funny',
'unixReviewTime': 1378339200,
'reviewTime': '09 5, 2013'},
{'reviewerID': 'A38EQ1WED95MXO',
'asin': 'B000H2DTWM',
'reviewerName': 'Tiger',
'helpful': [0, 0],
'reviewText': 'Each comedian has their own style but almost all of them bad me laughing far too hard. I highly recommend the whole series.',
'overall': 5.0,
'summary': 'Funny',
'unixReviewTime': 1368921600,
'reviewTime': '05 19, 2013'},
{'reviewerID': 'A2AF7QLLLL7XE8',
'asin': 'B000H2DTWM',
'reviewerName': 'Tim Staehling',
'helpful': [0, 0],
'reviewText': 'Not the best work from each artist, but a good, quick way to get to know them. Nice seeing the 2 different Todd Barrys - one early and one later.',
'overall': 4.0,
'summary': 'Good Introductions',
'unixReviewTime': 1393372800,
'reviewTime': '02 26, 2014'},
{'reviewerID': 'A26YDCYAM613HN',
'asin': 'B000H2DTWM',
'reviewerName': 'Tuscany',
'helpful': [0, 0],
'reviewText': 'So far the only funny ones we watched were on comedy season 1. However, hv not watched all of 2 or 3 just a few out of each.',
'overall': 3.0,
'summary': 'Season 1 Pretty Funny',
'unixReviewTime': 1394150400,
'reviewTime': '03 7, 2014'},
{'reviewerID': 'A1OA8BH7N6PYWV',
'asin': 'B000H2DTWM',
'reviewerName': 'Woody Muire',
'helpful': [0, 0],
'reviewText': "It's interesting to see who were rising comedians 15 years ago - some who continue to be in the spotlight today, and some who I've never heard of. Regardless, most of these are funny!",
'overall': 4.0,
'summary': 'A blast from the past - of comedy!',
'unixReviewTime': 1397692800,
'reviewTime': '04 17, 2014'},
{'reviewerID': 'A2EVFZKAM5CCSC',
'asin': 'B000H2EABG',
'reviewerName': 'Bryan',
'helpful': [0, 0],
'reviewText': 'This is a solid stand up. If you are an SNL fan then you will likely enjoy tihs as Darrell Hammond stars in the episode i watched and is very funny .',
'overall': 4.0,
'summary': 'Good comedy worth a watch',
'unixReviewTime': 1389830400,
'reviewTime': '01 16, 2014'},
{'reviewerID': 'AWA6DRRKAI8WH',
'asin': 'B000H2EABG',
'reviewerName': 'butterfly',
'helpful': [0, 0],
'reviewText': "I love being able to watch all the different comedians!! It's the go to show my husband and I watch when ever we have time! Lots of laughs and great fun!",
'overall': 4.0,
'summary': 'Great fun!',
'unixReviewTime': 1387238400,
'reviewTime': '12 17, 2013'},
{'reviewerID': 'A1ZZ5HSJM7EJZP',
'asin': 'B000H2EABG',
'reviewerName': 'CYork',
'helpful': [0, 0],
'reviewText': 'Basically a good selection of comedians, some more satisfying than others. I use the series to relax with, if I am restless before bed.',
'overall': 4.0,
'summary': 'good array of comedians,',
'unixReviewTime': 1388275200,
'reviewTime': '12 29, 2013'},
{'reviewerID': 'A3DHXC3N8F777H',
'asin': 'B000H2EABG',
'reviewerName': 'gary',
'helpful': [0, 0],
'reviewText': 'would not recommend because content just did not even make me smile. To me just vulgar guy trying to make jokes smoking a cigar',
'overall': 2.0,
'summary': 'not that funny',
'unixReviewTime': 1396656000,
'reviewTime': '04 5, 2014'},
{'reviewerID': 'AUUX827EQV95U',
'asin': 'B000H2EABG',
'reviewerName': 'joe',
'helpful': [0, 0],
'reviewText': 'It is Old school funny. Brings back memories from back in the day. Its an ok time killer before bed.',
'overall': 4.0,
'summary': 'cuple of chuckles but no gut busting humer.',
'unixReviewTime': 1389657600,
'reviewTime': '01 14, 2014'},
{'reviewerID': 'AZF6W2XR2ZVH5',
'asin': 'B000H2EABG',
'reviewerName': 'Joel',
'helpful': [0, 0],
'reviewText': 'Pablo Francisco makes me laugh so much. He is so funny. Good to watch. I wish I could see him live one day. Please post more of his stand up comedy.',
'overall': 5.0,
'summary': 'Funny.',
'unixReviewTime': 1382313600,
'reviewTime': '10 21, 2013'},
{'reviewerID': 'AWCRLLL560WRW',
'asin': 'B000H2EABG',
'reviewerName': 'Joseph E. Cercone',
'helpful': [0, 0],
'reviewText': 'It was a good show! Looked and sounded good on my new hd tv that I also purchased from amazon!!',
'overall': 5.0,
'summary': 'Funny stuff!',
'unixReviewTime': 1391299200,
'reviewTime': '02 2, 2014'},
{'reviewerID': 'A2REUM4KYFYVF6',
'asin': 'B000H2EABG',
'reviewerName': 'oscar j',
'helpful': [0, 0],
'reviewText': "Really good quality from Amazon and Comedy Central. I Highly recomend this service and program. Not much more to say on this other than IT'S GREAT TV SERVICE.",
'overall': 5.0,
'summary': "Really good price (it's free with amazon prime).",
'unixReviewTime': 1365811200,
'reviewTime': '04 13, 2013'},
{'reviewerID': 'A3N1Y6CSEX01SC',
'asin': 'B000H2EABG',
'reviewerName': 'PARONARKER',
'helpful': [0, 0],
'reviewText': "Way too vulgar. I can tolerate a little profanity, but the first comedians' opening joke was demented and not funny in the least.",
'overall': 1.0,
'summary': 'Pass',
'unixReviewTime': 1390867200,
'reviewTime': '01 28, 2014'},
{'reviewerID': 'AXUPQVWGZQBHF',
'asin': 'B000H2EABG',
'reviewerName': 'Qball',
'helpful': [0, 0],
'reviewText': 'Kind of boring. I thought it would have been better. Maybe next time will be better. I will keep on looking around',
'overall': 3.0,
'summary': 'Ok nothing special',
'unixReviewTime': 1362614400,
'reviewTime': '03 7, 2013'},
{'reviewerID': 'ANT8XERRPPLH',
'asin': 'B000H2EABG',
'reviewerName': 'Ralph Cole',
'helpful': [0, 0],
'reviewText': 'By watching this, I was introduced to comedians I would most likely never been able to see. Some great talent .',
'overall': 4.0,
'summary': 'Broadning my experiences',
'unixReviewTime': 1389139200,
'reviewTime': '01 8, 2014'},
{'reviewerID': 'AT61GQFCGZERB',
'asin': 'B000H2EABG',
'reviewerName': 'Wayne S. Wilson "Johnny Fever"',
'helpful': [0, 0],
'reviewText': 'Pablo is the best. Good range, excellent transitions, killer impersonation of a "party chick". Good vocalizations of various sound effects and his narrator guy is spot-on. As your attorney, I advise you to DL this video!',
'overall': 5.0,
'summary': 'Pablo rocks! Hilarious "girlfriend" impersonation!',
'unixReviewTime': 1345075200,
'reviewTime': '08 16, 2012'},
{'reviewerID': 'A3LW6FZ12WUX2A',
'asin': 'B000H2FHJU',
'reviewerName': '4MaskCurse "Kyonshi Jiang Shi"',
'helpful': [1, 1],
'reviewText': 'It\'s great to see the classic cartoons that made Cartoon Network famous finally be put on dvd.While PPG wasn\'t exactly my favorite of the classics,it was still pretty good and truely had it\'s moments.HIM and Mojo Jojo are still some of my favorite villains.Episodes "Tough Love","Speed Demon","Los Dos Mojos" and "Slumbering With The Enemy" come to mind.And who could possibly forget the episode where Mojo had to babysit the PPG?The Barney reference skit in that one was the best!I\'ll admit that my review is a bit biased though,because I am a HUGE fan of voice actress Tara Strong (Bubbles) and I also like E.G. Daily (Buttercup).My only request now is for Cartoon Network to PLEASE start releasing Dexter\'s Laboratory on dvd!! Cow and Chicken and Courage the Cowardly Dog sets would also be great to have on my shelf!Also maybe,just maybe;could some of these companies consider releasing a set of first AND second season,rather than just one at a time??Esp. with shows like The Grim Adventures of Billy and Mandy,where the characters really evolve as well as the style of the show (Billy and Mandy just picking on/bullying Grim,to Billy and Mandy working with Grim or at least given the same amount of dishing out and taking abuse)As far as the PPG set goes though,it\'s great and the bonuses really add to it\'s appeal esp. for the great price.P.S. I always used to get razzed by my cousins (guys of course) for watching this show.But I didn\'t/don\'t care;cool animation is cool animation!Throw in a bit of adult humor,interesting characters and good plots and you\'ve got some great entertainment!',
'overall': 4.0,
'summary': 'Cute!',
'unixReviewTime': 1188086400,
'reviewTime': '08 26, 2007'},
{'reviewerID': 'A2OZBJ58CML9OS',
'asin': 'B000H2FHJU',
'reviewerName': 'A. Gammill',
'helpful': [23, 25],
'reviewText': 'I\'ve always felt. . .I don\'t know. . .maybe a little guilty about how much I like this show. I mean, to the uninitiated, it would seem to be a girl-power superhero cartoon aimed primarily at young girls.But I\'m a 39-year old man. And I love the Powerpuff Girls! Like the best modern animated shows (The Tick Vs. Season One, for example), it manages to combine a kinetic visual style with humor that isn\'t dumbed-down just because it\'s a "kid\'s show." Blossom, Bubbles and Buttercup may only be 5 years old, but many of the gags are aimed WAY above their heads. One classic episode (alas, in a later season), "Meet the Beat-alls," is composed almost entirely of references to the Beatles. The girl\'s chief nemesis, the intelligent simian Mojo Jojo, also seems aimed as much at parents as the kids in the audience.If you think all modern cartoons are too bland, too loud, or too derivative of way-overrated Japanese animation (Teen Titans, I\'m looking at YOU), give The Powerpuff Girls a try. It\'s a rare combination: Smart and funny, with barely a hint of cynicism and crudeness that permeates so much so-called "family" programming.',
'overall': 4.0,
'summary': 'Not just for little girls. . .',
'unixReviewTime': 1182211200,
'reviewTime': '06 19, 2007'},
{'reviewerID': 'AIP98B46K3IOB',
'asin': 'B000H2FHJU',
'reviewerName': 'Albert Montez',
'helpful': [0, 0],
'reviewText': 'The dvd set is more than I could have expected. I love it. I recommend it to all Powerpuff fans.',
'overall': 5.0,
'summary': 'Awesome',
'unixReviewTime': 1371945600,
'reviewTime': '06 23, 2013'},
{'reviewerID': 'A3RG6ZWADDW7EO',
'asin': 'B000H2FHJU',
'reviewerName': 'Barbara J Mong',
'helpful': [0, 0],
'reviewText': "She just received this yesterday and was excited about it. She is enthralled by the "girls". She is my only granddaughter and since I had all boys, it's fun and a little different to get to choose things like this.",
'overall': 3.0,
'summary': 'My granddaughter is into this, thus the purchase!',
'unixReviewTime': 1396656000,
'reviewTime': '04 5, 2014'},
{'reviewerID': 'A1KOPFR58Q7255',
'asin': 'B000H2FHJU',
'reviewerName': 'Bethany L. Spotts',
'helpful': [0, 0],
'reviewText': 'My nine and ten-year old nieces live in France and they loved this collection. When I called them from the States it was difficult for their mother to pull them away from the DVD. It is a good value for the money.',
'overall': 5.0,
'summary': 'My nieces loved the Powerpuff Girls',
'unixReviewTime': 1357862400,
'reviewTime': '01 11, 2013'},
{'reviewerID': 'A1AISPOIIHTHXX',
'asin': 'B000H2FHJU',
'reviewerName': 'Cloud "..."',
'helpful': [4, 5],
'reviewText': 'Admit it: if you\'re a guy and you love this show, it\'s hard to think about people laughing at you for getting into girly stuff. Like you\'d have to buy it with your head down thinking "nobody look at me buying this thing yet, it\'s for my daughter". But it\'s all for nothing as regardless if you\'re a young boy, girl, parent or just a comedy fan, there\'s plenty to like about it and the only thing you\'d have a problem with is who its obvious target audience is.The show follows that familiar cartoon format of a 22 minute episode separated into 2 stories. The episodes on this set range from the great to the good. There\'s rarely a clunker in the whole thing and each episode is great to watch. Sure some will obviously stand out among the others but you probably won\'t find a complete dud on the set. Only gripe you might have with is you wish more episodes were included but leave that for season 2 set, right?Some of the highlights are "Boogie Frights/Abracadaver" where in the first half, the Boogeyman blocks out the sun so they can party on the surface whereas the latter as the girls trying to stop a zombie destroying the town. Probably one of the best Bubbles-centered episodes, "Bubblevicious" finds Bubbles frustrated she\'s seen as the baby of the group and decides to take out her frustrations on anything that comes around. Her reaction to being picked for "Duck, Duck, Goose" is classic. We also get the double length episodes "The Rowdyruff Boys" where Mojo Jojo creates boy counterparts to the girls who are just as tough, maybe even toughter than the girls as well as "Uh Oh Dynamo" where an ultra-tough monster forces the girls to go into a mech anime-style.Kind of disappointing are the extras. While we do get creator Craig McCracken\'s original pilot for the show the "Whoop*** Girls", we also get some rather questionable (read: for the kiddies) inclusions such as Space Ghost premiere and probably one of the most unprofessional interviews I\'ve ever seen. So much for insight. Also would\'ve been nice to get some commentaries from McCracken and animation director (and Samurai Jack creator) Genndy Tartakovsky but oh well.While the extras are rather lackluster but the draw is the episodes and here they deliver, no matter how girly it feels.',
'overall': 5.0,
'summary': 'Fun for kids...and even for adults?',
'unixReviewTime': 1182643200,
'reviewTime': '06 24, 2007'},
{'reviewerID': 'A3V9W1WE0ALF58',
'asin': 'B000H2FHJU',
'reviewerName': 'cpsadp',
'helpful': [0, 1],
'reviewText': "I can't find the PPG on Cartoon Network anymore. This kept both of my kids thoroughly entertained on two long flights across the country. They're 10 and 5 and both loved it.",
'overall': 4.0,
'summary': 'Love them...',
'unixReviewTime': 1220832000,
'reviewTime': '09 8, 2008'},
{'reviewerID': 'A2JESX8PMSQGJN',
'asin': 'B000H2FHJU',
'reviewerName': 'David Bustillos "Dave"',
'helpful': [0, 0],
'reviewText': 'My Daughter loves this very much. This video is great for girls as it gived them female supeheros to watch. I do not like it much as some of the villians are creepy.',
'overall': 5.0,
'summary': 'My Daughter loves this',
'unixReviewTime': 1350518400,
'reviewTime': '10 18, 2012'},
{'reviewerID': 'A9FFO06F9Y299',
'asin': 'B000H2FHJU',
'reviewerName': 'David E.Finley',
'helpful': [0, 1],
'reviewText': 'I was hooked on the Powerpuff Girls Waay back in 1995, when the first short "Meat Fuzzy Lumpkins" first aired on the old "What A Cartoon" series.I imeadately began a four year e mail campaign to beg CN to turn this cartoon into a series. It was funny, witty, and just about the best thing to hit cartoons since Jay Ward\'s glory days.In 1999, CN finally relented, and made the PPG a weekly offering.The first season is truly the best of the lot, as some of the funniest and most innovative cartoons of the series were made, such as "Telephonies" , where the Ganggreen Gang makes crank calls on the PPG Hotline, and "Major Competition", where an arrogant Superman clone takes Townsville away from the girls, and then turns chicken when a real crisis hits, and so on.Lots of us older fans have gotten flak from the younger ones, pushing the old tired myth that cartoons are only for kids. Well, I\'m 52 at the time of this review, and I am not ashamed to be a fan of this great show.I only have 3 words for CN and WB:Give us more... Please!',
'overall': 5.0,
'summary': 'Perhaps the best series CN ever made...',
'unixReviewTime': 1202774400,
'reviewTime': '02 12, 2008'},
{'reviewerID': 'A20W5XN54O71DR',
'asin': 'B000H2FHJU',
'reviewerName': 'Eric',
'helpful': [0, 0],
'reviewText': 'How could you not love the PowerPuff girls. My daughter loves all of the episodes. I recommend these videos to everyone.',
'overall': 5.0,
'summary': 'Highly recommended!',
'unixReviewTime': 1403568000,
'reviewTime': '06 24, 2014'},
{'reviewerID': 'A1QPKTVJGBSNHK',
'asin': 'B000H2FHJU',
'reviewerName': 'Frank Manning',
'helpful': [0, 0],
'reviewText': "i love The Powerpuff Girls. you can't find these in stores. so to have this online for 7.99 is great! it's the entire season 1. that's 13 episodes at 24 minutes each. PLUS awesome bonus features including the original short :The Whoopass Girls. (which was the name of The Powerpuff Girls before they were hired by Cartoon Network) i'm 16 years old and i'm proud to say i love the powerpuff girls.",
'overall': 5.0,
'summary': 'Powerpuff Love!',
'unixReviewTime': 1352160000,
'reviewTime': '11 6, 2012'},
{'reviewerID': 'A2I3PMXM1PP32V',
'asin': 'B000H2FHJU',
'reviewerName': 'James E. Helmick',
'helpful': [0, 1],
'reviewText': "Have always been a fan of the show, happy to see it released on DVD. Pictures is crisp, but the extras are what make this (or any TV DVD) worth it. If you're a fan of the show, you'll love the extras with original short film that led to the series, drawings and interviews by the creator. And at Amazon, it's price is just right.",
'overall': 5.0,
'summary': 'Worth Every Penny',
'unixReviewTime': 1209859200,
'reviewTime': '05 4, 2008'},
{'reviewerID': 'A2EIODKT7EDOC4',
'asin': 'B000H2FHJU',
'reviewerName': 'Jan326 "Jan in Jonesborough"',
'helpful': [0, 0],
'reviewText': "I didn't care so miuch for the powperpuff girls but my 7 y/o granddaughter loves them. I bought the first season for her for a train trip we took and it sure helped occupy her time during the trip.",
'overall': 5.0,
'summary': 'entertaining',
'unixReviewTime': 1372982400,
'reviewTime': '07 5, 2013'},
{'reviewerID': 'A3GKFEKBK27KK3',
'asin': 'B000H2FHJU',
'reviewerName': 'KaChieek',
'helpful': [0, 0],
'reviewText': "It's brand new and in plastic from the place where they made it. I'm really happy that I bought this for my video collection",
'overall': 4.0,
'summary': 'I like it',
'unixReviewTime': 1367539200,
'reviewTime': '05 3, 2013'},
{'reviewerID': 'A2SM53COKTD0EX',
'asin': 'B000H2FHJU',
'reviewerName': 'Kathleen H. Troyner "K6"',
'helpful': [0, 1],
'reviewText': "My 7 year old received this as a birthday gift. She loves it, can't stop watching it. I love it for the slightly camp factor!",
'overall': 5.0,
'summary': 'The Powerpuff Girls - The Complete First Season',
'unixReviewTime': 1223769600,
'reviewTime': '10 12, 2008'},
{'reviewerID': 'A2OBO64JEQEU5C',
'asin': 'B000H2FHJU',
'reviewerName': 'Liesel Phillips "Liesel"',
'helpful': [0, 1],
'reviewText': "I LOVE this cartoon! This is also the only cartoon my son will watch for any length of time, and has been since he was about 14 or 15 months old. He loves these girls. It's got action but isn't as overtly violent as most cartoons on TV these days. However, it DOES have violence so beware if you are limiting or disallowing that for your young one.Get the cartoon movie too!! It tells the origin story.",
'overall': 5.0,
'summary': 'Go Buttercup! Great for kids and parents!',
'unixReviewTime': 1235865600,
'reviewTime': '03 1, 2009'},
{'reviewerID': 'AWG7SF1494JVO',
'asin': 'B000H2FHJU',
'reviewerName': 'L. J. Miller',
'helpful': [1, 1],
'reviewText': 'I have no clue how they found this show but they like it. There is no educational value and it really is for older kids. I purchased it because my little guy only asked for this at Christmas...talk about rock and hard place. From what I see there is nothing bad for the little guy, but some of the cartoon work/jokes are for older kids.',
'overall': 4.0,
'summary': 'My kids love it.',
'unixReviewTime': 1325548800,
'reviewTime': '01 3, 2012'},
{'reviewerID': 'A203XR2Q6RZAVR',
'asin': 'B000H2FHJU',
'reviewerName': 'Llara',
'helpful': [0, 0],
'reviewText': "My sons has fallen in love with Powerpuff Girls, that is why I bought The Complete First Season. They have watched it over and over and love it. What I didn't know is disc 2 is not appropriate for young children. My 7 year old watched it in his room because I was unaware that it contained adult themes. I went to restart it and my 3 year old started screaming not that one Mama. So if you buy this package for younger children please keep that in mind.",
'overall': 3.0,
'summary': 'OOPS!',
'unixReviewTime': 1363824000,
'reviewTime': '03 21, 2013'},
{'reviewerID': 'A3KSFRV3SC5IXG',
'asin': 'B000H2FHJU',
'reviewerName': 'L. M. Gulick "axolotl99"',
'helpful': [0, 0],
'reviewText': 'Of the 24 episodes in this first-season collection, I already had 15 on other tapes and DVDs; but having them all together in one convenient spot is a definite plus. The packaging is a lot of fun (the two discs are Blossom\'s eyes, with the surrounding picture being her face), and the nine episodes I hadn\'t seen are cool (with the exception of "Insect Inside"--roaches creep -me- out!)...and best of all, -no commercials-!My only complaint is that the collection is a little lean on extras. Sure, there\'s the original McCracken student film (along with a few other pencil storyboards), a CN short, and a couple of interviews, but it would have been nice to have at least a few commentaries--either by McCracken and his creative bunch, or maybe by the characters themselves (as was done on sections of the PPG movie)--to let us viewers inside the creative process. I\'d\'ve traded those storyboards -and- an interview for that!But all in all, it\'s worth the price...and I\'m looking forward to the second season already!',
'overall': 4.0,
'summary': 'a mean but lean collection',
'unixReviewTime': 1184457600,
'reviewTime': '07 15, 2007'},
{'reviewerID': 'ADGCFAHJA4QWB',
'asin': 'B000H2FHJU',
'reviewerName': 'M4573r "Y0ur M4573r"',
'helpful': [0, 0],
'reviewText': 'Thank you very much, this was a perfect christmas present for my fiancee :). The video and sound run perfect, and it got here just in time.',
'overall': 5.0,
'summary': 'Excellent Product',
'unixReviewTime': 1294531200,
'reviewTime': '01 9, 2011'},
{'reviewerID': 'A17NVM7IAPF2NS',
'asin': 'B000H2FHJU',
'reviewerName': 'Maek',
'helpful': [15, 16],
'reviewText': 'Thank you for finally releasing the entire 1st season of the \'Puffs!!About 9 months ago, my 3-year old daughter stumbled across a bonus episode of the Powerpuff Girls ("Boogie Frights") at the end of a Scooby-Doo video tape. I got home and my wife asked, "What is this? She wants to keep watching this and she absolutely loves it!" I smiled and told her that it was the Powerpuff Girls, of course!I was in my 20\'s when I first came across them in Cartoon Network and it was one of my secret, guilty pleasures to watch (it\'s not something you share around the water cooler casually). But let\'s face it - the Powerpuff Girls offer fun viewing for kids and adults because there is humor for both.So, I picked up all the Powerpuff stuff available on DVD for my daughter and was saddened to see that some of my more favorite episodes ("Octi Evil" to name one) were not out there and that a great number of episodes were sadly missing.But now here\'s Season 1!!! It overlaps some of what I\'ve already collected, but a little more than half of Season 1 contains episodes that I didn\'t previously have. To have an entire Season for $19.99 is also a fairly smoking deal; it\'s 4 hours and 50 minutes of viewing material!!!!!That said, some parents might be put off by the violence in the cartoon, so I leave that up to an individual\'s taste. In our household, we pass it off as humor because ALL of it is make-believe and our daughter accepts that; she doesn\'t go around punching things because she thinks that she is a Powerpuff Girl. She does like having her hair put up like Bubbles, though. ;)Anyway, a toast to Craig McCracken (creator). Here\'s to hoping that you release \'em all because I will sure be in line to buy every single one.',
'overall': 5.0,
'summary': 'Oh, thank you thank you thank you!!',
'unixReviewTime': 1184716800,
'reviewTime': '07 18, 2007'},
{'reviewerID': 'A2OBWW5XNGWEGN',
'asin': 'B000H2FHJU',
'reviewerName': 'Matthew',
'helpful': [1, 1],
'reviewText': 'I definitely recommend this seller. Discs were in great condish. Box was a little beat up but what do you expect? Its old. But still a classic! I love this show! Shipping was speedy, it came within a week. Very impressed with the condition of the discs.',
'overall': 4.0,
'summary': 'Great Quality',
'unixReviewTime': 1294185600,
'reviewTime': '01 5, 2011'},
{'reviewerID': 'A2IPQ86XEWVLHQ',
'asin': 'B000H2FHJU',
'reviewerName': 'Michael Strickland',
'helpful': [0, 0],
'reviewText': 'I bought this DVD for my 4 year-old, who watches it constantly. The writing is good and soooo entertaining. You probably guessed that I love watching it too!',
'overall': 5.0,
'summary': 'Good, clean fun!',
'unixReviewTime': 1378684800,
'reviewTime': '09 9, 2013'},
{'reviewerID': 'A2Q6PLBIGFDKMV',
'asin': 'B000H2FHJU',
'reviewerName': 'MyLyn Wood',
'helpful': [0, 0],
'reviewText': "My kids love this show! It has good humor, good lessons and isn't too cheesy, making it easier for us to watch it with her (as we are so often doing!)",
'overall': 5.0,
'summary': 'Great show!',
'unixReviewTime': 1358899200,
'reviewTime': '01 23, 2013'},
{'reviewerID': 'A3W3VEFDTRKQAJ',
'asin': 'B000H2FHJU',
'reviewerName': 'Nene',
'helpful': [1, 3],
'reviewText': 'My precious little sweeties!! I love them so!! The first season already out, and I am so excited!! I love all three Powerpuff Girls; my favorite is Bubbles. She is just so precious and adorable and lovable-but behind that sweet little face, she is a firecracker when it really comes down to it!! Blossom is my everlasting, beautiful rose; and Buttercup is my little wild girl.',
'overall': 5.0,
'summary': 'My little sweeties!!',
'unixReviewTime': 1183161600,
'reviewTime': '06 30, 2007'},
{'reviewerID': 'A2GCGZAY6VCE7T',
'asin': 'B000H2FHJU',
'reviewerName': 'Patricia J. Bredow',
'helpful': [0, 0],
'reviewText': "Powerpuff girls were well loved in my house years ago. The younger generation enjoys the shows just as much as their mother's did.",
'overall': 5.0,
'summary': 'Good entertainment',
'unixReviewTime': 1355875200,
'reviewTime': '12 19, 2012'},
{'reviewerID': 'A3D3LHUTBH1LML',
'asin': 'B000H2FHJU',
'reviewerName': 'Pen Name',
'helpful': [0, 0],
'reviewText': 'I used to love watching PPG when I was kid. I thought it was only fitting that I introduce my daughter to them as well. She LOVES them. The video was worth the price and came in perfect condition.',
'overall': 5.0,
'summary': "Let's here it for the PPG!",
'unixReviewTime': 1402099200,
'reviewTime': '06 7, 2014'},
{'reviewerID': 'A2WW8BPOX3XMRL',
'asin': 'B000H2FHJU',
'reviewerName': 'Samer S. Rayyan',
'helpful': [0, 1],
'reviewText': "The Powerpuff Girls is one of my favorite shows even though I am a 20 year old guy. If you think this show is just for little girls, you should give it a shot, you will be surprised. This set is very nice, the video is very crisp and colorful and overall looks much better than when the show aired on cartoon network. The audio is clear and sounds great even if it is just stereo. It has a lot of extras too like Craig McCraken's school project that became the birth of the Powerpuff Girls although some commentary tracks would have been nice. Overall I recomend this set to fans of the series and newcomers. Now if only we can get a widescreen release of the movie, oh, and some more seasons.",
'overall': 5.0,
'summary': 'A great set for PPG fans',
'unixReviewTime': 1212710400,
'reviewTime': '06 6, 2008'},
{'reviewerID': 'AKPOLVYFVMK6F',
'asin': 'B000H2FHJU',
'reviewerName': 'S. Chan',
'helpful': [0, 1],
'reviewText': 'I\'ve been a fan of this cartoon for a while, and yes, i\'m over 30 (not giving you my exact age) hahaha.. Like everyone says about this cartoon, it\'s humorous and "adorable." My favorite character is Bubbles. hahaha..',
'overall': 5.0,
'summary': 'Guilty as charged',
'unixReviewTime': 1192406400,
'reviewTime': '10 15, 2007'},
{'reviewerID': 'A3A5NPLTGGCJ1Y',
'asin': 'B000H2FHJU',
'reviewerName': 'S. DILLON',
'helpful': [0, 1],
'reviewText': 'I bought this for my 5 yr old grandaughter and she just flipped out! She loved it and watches it all the time. I received it in great condition and in a very timely manner. Thank you so much...you made a very special girl very happy on her 5th birthday!!',
'overall': 5.0,
'summary': 'Grandaughter Loves Powder Puff Girls!!',
'unixReviewTime': 1220832000,
'reviewTime': '09 8, 2008'},
{'reviewerID': 'A1JPZ0109YHOLD',
'asin': 'B000H2FHJU',
'reviewerName': 'S. Morrison',
'helpful': [0, 0],
'reviewText': 'This show is great on many levels and only got better each season. A whole season for less than $10 is an absolute steal!',
'overall': 5.0,
'summary': 'Excellent Show',
'unixReviewTime': 1354060800,
'reviewTime': '11 28, 2012'},
{'reviewerID': 'A14SWDQQLMAWPI',
'asin': 'B000H2FHJU',
'reviewerName': 'stephanie',
'helpful': [0, 0],
'reviewText': 'Shipping was fast and in great condition my daughter just loves the powerpuff girls and for the price I could not pass it up',
'overall': 5.0,
'summary': 'Love the Powerpuff girls',
'unixReviewTime': 1356652800,
'reviewTime': '12 28, 2012'},
{'reviewerID': 'A3CMJHTMJD6QHW',
'asin': 'B000H2FHJU',
'reviewerName': 'Stephanie Stafford "Stef"',
'helpful': [0, 1],
'reviewText': "I have yet to watch it due to DVD player issues but I have seen every episode listed and I can't wait to watch them over again.",
'overall': 5.0,
'summary': 'Powerpuff Season 1',
'unixReviewTime': 1231113600,
'reviewTime': '01 5, 2009'},
{'reviewerID': 'A2V0OJY5BIDNZC',
'asin': 'B000H2FHJU',
'reviewerName': 'Tim Coogan "CN fan"',
'helpful': [22, 22],
'reviewText': 'Way before he broke ground for an orphanage that houses imaginary friends, Craig McCracken created the world\'s youngest superhero team !That\'s right, people, the Emmy nominated series has finally come back in an amazing 2-disc DVD set ! It\'s Blossom, Bubbles, and Buttercup, back and better than ever in their very first thirteen episodes in one of Cartoon Network\'s groundbreaking hit shows. Such episodes include:"Monkey See, Doggy Do" - Mojo Jojo uses the cursed Anubis head to literally make Townsville go to the dogs."Octi Evil" - The evil manifestation preferably known as HIM uses Bubbles\' favorite stuffed toy to do his bidding."Major Competition" - A strapping new superhero named Major Man becomes Townsville\'s new guardian. What will the girls do now ?"Paste Makes Waste" - A strange boy named Elmer Glue eats so much school glue, he turns into a giant paste monster the girls have to fight."The Bare Facts" - The oblivious Mayor of Townsville has been rescued by the girls from Mojo Jojo. Now the girls each tell the Mayor the... "naked truth" on what happened back there."Impeach Fuzz" - Fuzzy Lumpkins runs for Mayor and wins by a landslide. How will the former Mayor get his title back ?"The Rowdyruff Boys" - Sick and tired of being defeated by the girls, Mojo Jojo creates Brick, Boomer, and Butch, male counterparts to the girls.In addition to this stunning first season of episodes, the second disc is power-packed with amazing special extra features such as:- The two pilot episodes "Meat Fuzzy Lumpkins" and "Crime 101".- Archive interviews with Craig McCracken including a special Space Ghost episode.- Bits and promos out the wazoo !- And, of course, Craig\'s original short film, "Whoopass Stew" with exclusive animatics.If you\'ve been a bona fide fan of the PPGs for many years to come, you really must get this DVD set whether or not you\'ve owned the previous DVDs like "The Mane Event" and "Meet the Beat-Alls", but it\'s totally worth it. I really hope the rest of the series be out on DVD real soon. In the meantime, go online to Cartoon Network Video and watch Powerpuff Girls and other former hit shows whenever you like.As the saying goes, "So once again, the day is saved, thanks to the Powerpuff Girls !"',
'overall': 5.0,
'summary': 'The Original Girl Power Triumphantly Returns !',
'unixReviewTime': 1182297600,
'reviewTime': '06 20, 2007'},
{'reviewerID': 'A1X1U5Y92AJBBA',
'asin': 'B000H2FHJU',
'reviewerName': 'T. Vazquez "Chain"',
'helpful': [0, 0],
'reviewText': "Everyone who's watched an episode know the secret to making perfect little girls. It's girl power in superwoman form, and they save the world before bedtime (at least some kids stick to curfew)! Classic childhood memories after I got back from school, this series was my excuse to go over to my friends house (because they had cable) and watch while doing homework. *giggles*Cartoon Network had it's work cut out for classics: Dexter Laboratories, Johnny Bravo, Courage the Cowardly Dog, etc. It's hard to find these gems and now I thank Amazon for bringing them to their site. There's only so much I can put up with Spongebob for babysitting, and I would rather put up with PBS shows.",
'overall': 5.0,
'summary': 'Sugar, spice, and everything nice!',
'unixReviewTime': 1351036800,
'reviewTime': '10 24, 2012'},
{'reviewerID': 'A2EPHT5HW0K4ZM',
'asin': 'B000H2FHJU',
'reviewerName': 'urethacess',
'helpful': [0, 0],
'reviewText': 'My grandson and niece loves the Powerpuff Girls it keeps them very quiet so I love it I can get things done.',
'overall': 5.0,
'summary': 'yeah for the powerpuff girls I love it because kids can sit still watching them.',
'unixReviewTime': 1398211200,
'reviewTime': '04 23, 2014'},
{'reviewerID': 'AFRPUBN8ZRJ19',
'asin': 'B000H2FHJU',
'reviewerName': 'xev',
'helpful': [0, 0],
'reviewText': 'this came in earlier then expected it came in the next three days after purchase i was very satisfied and the third thing i ordered from amazon. Now as a fan of the show since i was a kid i was happy to see some alot of my favorite episodes on here like mommy fearest and paste makes waste i watched the whole season in one night and its even got the what a cartoon episodes....if craig mckracken read this the powerpuff girls is the only reason i watched what a cartoon its a shame studios gave him a hard time with his work he did fantastic and im happy the two episodes are on here. a very wonderful season or should i say the best!!!!!!! a must for any ppg fan!!!!!! the episodes are great my least favorite monkey see doggey do but its still a good episode i will have to watch that since i skipped it and it even has some good extras how the powerpuff girls became a show craig mckracken your show is awesome i love it still and even when i was a kid your the best thanks for making a show reality into something fun and entertaining it didnt feel the same when you left the show and had someone else take over you are the one and only creator of this show :) now get this sit down and have a blast watching alot of good memorable episodes but parental guidance suggested definitely its pretty violent for a kids show and does have its mature moments like a woman yelling at little girls "mommy fearest". happy viewing',
'overall': 5.0,
'summary': 'amazon your the best',
'unixReviewTime': 1383350400,
'reviewTime': '11 2, 2013'},
{'reviewerID': 'A1102R6WWBBNOT',
'asin': 'B000H2FHJU',
'reviewerName': 'Zan Riede',
'helpful': [0, 0],
'reviewText': 'Good service, good notification of status of item shipped,received exactly what I expected, price seemed to be fair.Contents were a little too old for the 3-ur old child I ordered it for, but will save it for her.',
'overall': 5.0,
'summary': 'PowerPuff Girls DVD',
'unixReviewTime': 1340928000,
'reviewTime': '06 29, 2012'},
{'reviewerID': 'A5EFRKL8GS13Y',
'asin': 'B000H2FKBU',
'helpful': [0, 0],
'reviewText': 'Old routines badly delivered. This stuff is not funny. Actually, it is tedious and boring. Sorry I wasted my time. I would not recommend this.',
'overall': 1.0,
'summary': 'Hey, have you heard the one about the stand-up comic?',
'unixReviewTime': 1405382400,
'reviewTime': '07 15, 2014'},
{'reviewerID': 'A182E7J558F9TQ',
'asin': 'B000H2GA0A',
'reviewerName': 'Nicholas A. Sceusa "Gelsus"',
'helpful': [0, 0],
'reviewText': 'This is a realistic portrait of FDR, and what it took to come out on top during WWII.',
'overall': 5.0,
'summary': 'A realistic portrait of FDR',
'unixReviewTime': 1219536000,
'reviewTime': '08 24, 2008'},
{'reviewerID': 'A3H7JRJYXEFSH5',
'asin': 'B000H2J3DG',
'reviewerName': 'rob',
'helpful': [0, 0],
'reviewText': "Not that entertaining,...Benji's stand up act is way better, but this is kinda corny...There's only some many skits with Benji dressed like a girl I can take",
'overall': 2.0,
'summary': 'Not that entertaining',
'unixReviewTime': 1329782400,
'reviewTime': '02 21, 2012'},
{'reviewerID': 'A3KJR4009NRNKJ',
'asin': 'B000H2PX4O',
'reviewerName': 'Mike "M_iowa"',
'helpful': [0, 0],
'reviewText': 'This video deserves to be a single item, not broken up into a three part series. I can only think that the producer/seller is trying to overcharge. Take a look at the image on the "box" and you\'ll see... this is not a high quality production.Instead of this, tryMagic Johnson Presents: The Fundamentals of Basketball; Comprehensive',
'overall': 1.0,
'summary': 'Should not be split up',
'unixReviewTime': 1384041600,
'reviewTime': '11 10, 2013'},
{'reviewerID': 'A19K20S8J5UY8N',
'asin': 'B000H3RG4I',
'reviewerName': 'A. G. You',
'helpful': [6, 9],
'reviewText': "I just got this today and I didn't read the description thoroughly. Turns out this isn't exactly professionally done, In fact it is basically a bootleg with an official presentation. These are DVD-R disks, not real DVDs! So $36 for 3 burnt DVD-Rs, none the less is it bootleg, its highway robbery also! I will be returning these as they are not what I expected. Sad because I love the show, but so far imo the 1st season is the only real release so far. Other than that the quality is good, but cheaper to download and make your own bootleg dvds!",
'overall': 2.0,
'summary': 'Official Bootlegs?!',
'unixReviewTime': 1227139200,
'reviewTime': '11 20, 2008'},
{'reviewerID': 'A34XRZ2P48MCGZ',
'asin': 'B000H3RG4I',
'reviewerName': 'Amber Scott',
'helpful': [0, 0],
'reviewText': "Love this show it's great for kids and adults who want to watch something to make them laugh and take you back to when you were 15 :) it got here fast great dvd!!",
'overall': 5.0,
'summary': 'Amazing!',
'unixReviewTime': 1374451200,
'reviewTime': '07 22, 2013'},
{'reviewerID': 'A29EIYMO50BX3I',
'asin': 'B000H3RG4I',
'reviewerName': 'Andrea',
'helpful': [0, 0],
'reviewText': "The product description warns that because these are made on DVD-R discs they may not play in all DVD players. I own a Sony and it plays just fine. The packaging looks just as professional as any official release. Unfortunately there are no bonus features on this season like there were on Season 1, but the episodes are great and it's overall a very enjoyable DVD. A must have for any Zoey fan. It also includes the episode Spring Breakup so there's no need to buy the Spring Breakup DVD separately.DISC ONEBack to PCA- Zoey and Nicole are freaked out by their new roommate, LolaTime Capsule- Chase is desperate to find out what Zoey said about him on her DVD for the class's time capsuleElection- Zoey and Chase compete against each other for class presidentBad Girl- Dustin begins dating a troublesome girl in his classRobot Wars- Zoey and her friends need Quinn's help to build a robot for a robot warDISC TWOHaunted House- Dustin and his roommate disappear in the haunted houseBroadcast Views- Zoey and Logan help launch a new debate showLola Likes Chase- Lola develops a crush on Chase after he tutors her in biologyPeople Auction- Zoey, Nicole, and Lola are forced to be Logan's personal cheerleadersQuinn's Alpaca- Quinn misses her alpaca OtisDISC THREEGirls Will Be Boys- Lola dresses as a guy and pretends to be Logan and Chase's new roommateSpring Breakup (Double length episode)- Zoey and her friends spend spring break at Logan's house and compete on a new show called Gender DefendersAlso note that the episodes are in order of production code, not air date. Originally Girls Will Be Boys aired earlier in the season and People Auction and Quinn's Alpaca were the last 2 episodes of the season, instead of Spring Breakup.",
'overall': 5.0,
'summary': 'Plays Great in My DVD Player',
'unixReviewTime': 1375488000,
'reviewTime': '08 3, 2013'},
{'reviewerID': 'A2VIXSEAN6QO8Y',
'asin': 'B000H3RG4I',
'reviewerName': 'Bookworm27',
'helpful': [1, 1],
'reviewText': 'Zoey 101 is a cute family friendly show. It is geared towards younger teens, but I still enjoy it as an adult. It is very funny. I would recommend this show to anyone looking for a laugh.',
'overall': 5.0,
'summary': 'Nice family friendly show',
'unixReviewTime': 1356134400,
'reviewTime': '12 22, 2012'},
{'reviewerID': 'A1X8XLXQEMFARZ',
'asin': 'B000H3RG4I',
'reviewerName': 'BrownStarr',
'helpful': [1, 2],
'reviewText': 'I love Zoey 101, and was excited when I got this for my birthday, but the first disc had a huge scratch in it! Not very happy!',
'overall': 3.0,
'summary': 'Good, but not able to fully enjoy',
'unixReviewTime': 1365724800,
'reviewTime': '04 12, 2013'},
{'reviewerID': 'A3AVU0PF43LU7',
'asin': 'B000H3RG4I',
'reviewerName': 'Danielle Bennett',
'helpful': [1, 2],
'reviewText': 'My 11 year old daughter loves this show. 12 more words required. I would like more concise reviews when possible.',
'overall': 5.0,
'summary': 'Zoey fan 101',
'unixReviewTime': 1361836800,
'reviewTime': '02 26, 2013'},
{'reviewerID': 'A1T6S9NBEMGVQC',
'asin': 'B000H3RG4I',
'reviewerName': 'D. Toronski',
'helpful': [2, 5],
'reviewText': 'DVD is excellent, but they cut out many of the shows introduction screen music. But overall, great DVD, great quality.',
'overall': 4.0,
'summary': 'Zoey 101 Season 2',
'unixReviewTime': 1222560000,
'reviewTime': '09 28, 2008'},
{'reviewerID': 'AIVKJSX1KAT46',
'asin': 'B000H3RG4I',
'reviewerName': 'George Lawrence',
'helpful': [0, 0],
'reviewText': "J'adore Zoey 101. Cest Le appropriate show.I love Zoey one oh one. It's an appropriate show for little ones.",
'overall': 5.0,
'summary': 'Parfait',
'unixReviewTime': 1378080000,
'reviewTime': '09 2, 2013'},
{'reviewerID': 'A2F8YOLTI82WBD',
'asin': 'B000H3RG4I',
'reviewerName': 'hana',
'helpful': [4, 6],
'reviewText': "this is season 2 this set as 3 discs which includeDISC ONEback to PCAtime capsuleelectionbad girlrobot warsDISC TWOhaunted housebroadcast viewslola likes chasepeople auctionquinn's alpacaDISC 3girls will be boysspring break-upthis 3 disc set is great",
'overall': 5.0,
'summary': 'zoey 101 is awesome',
'unixReviewTime': 1311984000,
'reviewTime': '07 30, 2011'},
{'reviewerID': 'ANL2436PSQTXG',
'asin': 'B000H3RG4I',
'reviewerName': 'Jayden: Diva Monster "Jayden Divaa"',
'helpful': [0, 0],
'reviewText': 'I remember watching this show religiously in middle school and am so happy to rekindle those memories. I recommend getting all four seasons for ultimate series experience. Also, this includes "Spring Break-Up" so no need to separately purchase that!',
'overall': 5.0,
'summary': 'Memories',
'unixReviewTime': 1338854400,
'reviewTime': '06 5, 2012'},
{'reviewerID': 'AH4IJET8DPGRV',
'asin': 'B000H3RG4I',
'reviewerName': 'J. Johnson',
'helpful': [3, 4],
'reviewText': 'Zoey 101 is a sweet cute show. My son is 7 and he has been mesmerized by Zoey since he was 5. He claims he likes Chase, Logan and Michael the best but I think he is just trying to cover up the crush.',
'overall': 5.0,
'summary': 'We Love Zoey!',
'unixReviewTime': 1229385600,
'reviewTime': '12 16, 2008'},
{'reviewerID': 'AUT8DGUEGUQOX',
'asin': 'B000H3RG4I',
'reviewerName': 'Joe H.',
'helpful': [6, 6],
'reviewText': 'Just got this DVD Thursday and I just finished watching all the episodes and I LOVEDD IT!!!!I think the quality was perfect played just fine!!!The cast matured so much from season 1!!If your a zoey 101 fan like I am them this is a must have box set!!!(: help this helped!!!',
'overall': 5.0,
'summary': 'LOVE Zoey 101 season 2 set!!!!!',
'unixReviewTime': 1319846400,
'reviewTime': '10 29, 2011'},
{'reviewerID': 'A3E1R7VPFBXDHQ',
'asin': 'B000H3RG4I',
'reviewerName': 'Joe Opinion',
'helpful': [0, 0],
'reviewText': 'Very funny and wholesome sitcom.The kids are not snarky and disrespectful or bulling or negative.PCA is a place you would want to be and I enjoy going back for each episode',
'overall': 5.0,
'summary': 'Wholesome and funny',
'unixReviewTime': 1388707200,
'reviewTime': '01 3, 2014'},
{'reviewerID': 'A2WVPDTWCPH808',
'asin': 'B000H3RG4I',
'reviewerName': 'johnathan',
'helpful': [0, 0],
'reviewText': 'Bought this dvd 2 years ago, but righting a review now.Case was in great condition, all 3 cds were inside, and not a scratch on them.Would recommend to preteens-teens',
'overall': 5.0,
'summary': 'Great Condition',
'unixReviewTime': 1390089600,
'reviewTime': '01 19, 2014'},
{'reviewerID': 'A2OGRT1DO7H4IU',
'asin': 'B000H3RG4I',
'reviewerName': 'Jose Nino',
'helpful': [0, 0],
'reviewText': "It's really good brings back memories seeing your generation toons instead of the new generation I recommend you watch it.",
'overall': 5.0,
'summary': 'must watch',
'unixReviewTime': 1397692800,
'reviewTime': '04 17, 2014'},
{'reviewerID': 'A1QON0C2M3TXJQ',
'asin': 'B000H3RG4I',
'reviewerName': 'Katie O\'loughlin "writer mom"',
'helpful': [0, 0],
'reviewText': "Zoey 101 is a cute show. My daughter absolutely loves it. I even enjoy watching it with her sometimes. As a parent, i like that it brings up things that happen in real life, like friends who aren't talking to each other because of a disagreement that got out of hand, and it shows how it is resolved. There are shows that i don't like my daughter to watch because they show lying and cheating as cool and enjoying school as being nerdy or they show being bad to people or stealing as fun and okay. Zoey 101 is not like that at all. It is funny and enjoyable and shows good things for kids to watch.",
'overall': 5.0,
'summary': 'My 10 year old daughter absolutely loves these.',
'unixReviewTime': 1402876800,
'reviewTime': '06 16, 2014'},
{'reviewerID': 'A17IGN12HXSJSH',
'asin': 'B000H3RG4I',
'reviewerName': 'Keri McGlaughlin',
'helpful': [2, 2],
'reviewText': 'My daughter loved this DVD set. She is hoping to order the second season real soon. She watches this set every day.',
'overall': 5.0,
'summary': 'Great!',
'unixReviewTime': 1360108800,
'reviewTime': '02 6, 2013'},
{'reviewerID': 'AXBIMTA4LHA1T',
'asin': 'B000H3RG4I',
'reviewerName': 'LV88',
'helpful': [0, 0],
'reviewText': 'Very cute Nickelodeon series! Fun, quirky characters. This series is fun for the whole family. My 11 year old really enjoys!',
'overall': 5.0,
'summary': 'Cute series !',
'unixReviewTime': 1397174400,
'reviewTime': '04 11, 2014'},
{'reviewerID': 'A1DPH56BZG282C',
'asin': 'B000H3RG4I',
'reviewerName': 'Marc Hernandez "Never is a promise"',
'helpful': [1, 3],
'reviewText': "I loved watching Zoey 101 season 2, it was great can't wait till season 3.",
'overall': 5.0,
'summary': 'Fantastic buy',
'unixReviewTime': 1232496000,
'reviewTime': '01 21, 2009'},
{'reviewerID': 'A3D9PVNV2ICXOL',
'asin': 'B000H3RG4I',
'reviewerName': 'marylynn gilmore',
'helpful': [0, 0],
'reviewText': 'my daughter watches this show all the time it came to her real fast she loves to watch them very happy',
'overall': 5.0,
'summary': 'dvd',
'unixReviewTime': 1403222400,
'reviewTime': '06 20, 2014'},
{'reviewerID': 'A35531WG0CE5UE',
'asin': 'B000H3RG4I',
'reviewerName': 'Matthew',
'helpful': [1, 3],
'reviewText': 'With the deal struck between Nickelodeon and Amazon, we finnaly have various titles being released that I thought we would never see. Thank you Amazon! Now if only you could strike the same deal with Buena Vista Home Entertainment and get titles like X-Men, Spiderman, MMPR, and Digimon in Region 1 boxsets. I would gladly pay my hard earned money for titles like that.',
'overall': 5.0,
'summary': 'THANK AMAZON!!!',
'unixReviewTime': 1222819200,
'reviewTime': '10 1, 2008'},
{'reviewerID': 'A242HI5XBZQH5E',
'asin': 'B000H3RG4I',
'reviewerName': 'Mohashem',
'helpful': [0, 0],
'reviewText': 'I like watching Zoey 101 show and my grand daughter all so watching it is nice acting picture was clear.',
'overall': 5.0,
'summary': 'Zoey 101',
'unixReviewTime': 1391299200,
'reviewTime': '02 2, 2014'},
{'reviewerID': 'AIT674N3HE3RC',
'asin': 'B000H3RG4I',
'reviewerName': 'pinkoscar',
'helpful': [1, 1],
'reviewText': 'My kids and I love Zoey. It is to bad it is not on anymore. Their grandfather likes watching it with them.',
'overall': 5.0,
'summary': 'My kids love it',
'unixReviewTime': 1358035200,
'reviewTime': '01 13, 2013'},
{'reviewerID': 'A3KCKABLNYQ9WI',
'asin': 'B000H3RG4I',
'reviewerName': 'Shawna Gray',
'helpful': [10, 10],
'reviewText': "Disc 1Back To PCATime CapsuleElectionBad GirlRobot WarsDisc 2Haunted HouseBroadcast ViewsLola Likes ChasePeople AuctionQuinn's AlpacaDisc 3Girls Will be BoysSpring Break-Up: Double Length Episode",
'overall': 5.0,
'summary': 'Episodes',
'unixReviewTime': 1298160000,
'reviewTime': '02 20, 2011'},
{'reviewerID': 'AKDZDTTXCC4OG',
'asin': 'B000H3RG4I',
'reviewerName': 'Shawn W',
'helpful': [0, 0],
'reviewText': 'My daughter really enjoyed the Zoey 101 series. She watched all of them over her Christmas break. It kept her busy.',
'overall': 5.0,
'summary': 'movies',
'unixReviewTime': 1391126400,
'reviewTime': '01 31, 2014'},
{'reviewerID': 'AW91G8293I3XE',
'asin': 'B000H3RG4I',
'reviewerName': 'TRR',
'helpful': [0, 0],
'reviewText': 'kids love especially since cable tv doesnt show anymore. recommend if your are a zoey 101 enthusist ! ! !',
'overall': 5.0,
'summary': 'zoey 101 dvd great!',
'unixReviewTime': 1400889600,
'reviewTime': '05 24, 2014'},
{'reviewerID': 'AK3DXHYHC2HVM',
'asin': 'B000H3S8Z4',
'reviewerName': 'Aidan Golomb',
'helpful': [0, 0],
'reviewText': "It was funny,cool and exciting.it deserves five stars because it is funny that in gym they run laps and Nicole vomits. Also zoey thinks that Nicole's vomit is oatmeal.",
'overall': 5.0,
'summary': 'it was funny',
'unixReviewTime': 1396828800,
'reviewTime': '04 7, 2014'},
{'reviewerID': 'A34XRZ2P48MCGZ',
'asin': 'B000H3S8Z4',
'reviewerName': 'Amber Scott',
'helpful': [0, 0],
'reviewText': "I love this show I am 24 years old and still watch it every day the season was great it got here really fast and I couldn't of asked for more!!",
'overall': 5.0,
'summary': 'adore it!',
'unixReviewTime': 1374451200,
'reviewTime': '07 22, 2013'},
{'reviewerID': 'A19C0NSHP6PNDO',
'asin': 'B000H3S8Z4',
'reviewerName': 'amy britt ritchie',
'helpful': [0, 0],
'reviewText': 'My daughter loves this show, I am so glad that it was on Amazon Prime!!, She is already watching the next season!!!',
'overall': 5.0,
'summary': 'Love it',
'unixReviewTime': 1365033600,
'reviewTime': '04 4, 2013'},
{'reviewerID': 'A29EIYMO50BX3I',
'asin': 'B000H3S8Z4',
'reviewerName': 'Andrea',
'helpful': [0, 0],
'reviewText': "This is a great DVD for any Zoey 101 fan. It comes with 2 discs and some bonus features, like the cast's original audition tapes, bloopers, and a bonus episode Quarantine. It's a pretty fair price, also, for all 13 episodes, comes out to about $1 per episode.DISC ONEWelcome to PCA- PCA is admitting female students for the first time. Logan challenges the girls to a basketball gameNew Roomies- Zoey moves in with Quinn when she is tired of Nicole and Dana fighting all the timeDefending Dustin- Zoey embarrasses Dustin after trying to defend him against a bullyThe Play- Zoey develops a crush on Logan after he is cast as the lead in the school playWebcam- Logan hides a webcam in the girls' lounge and reveals all their secretsJet-X- Zoey, Nicole, and Dana must make a commercial together for a school projectSpring Fling- Zoey and her friends need to raise money to get Drake Bell to play for their spring flingDISC TWOPrank Week- The girls retaliate against the boys during PCA's Prank WeekQuinn's Date- Quinn mistakenly thinks she is on a date with Mark Del FiggaloBackpack- Stacy steals Zoey's backpack ideaSchool Dance- Chase cheats in order to get matched up with Zoey for the school danceDisc Golf- In order to get out of gym class, Zoey and her friends form PCA's first ever disc golf teamLittle Beach Party- Zoey and her friends miss the bus to the end-of-semester beach partyBonus features:Before They Were Cast Mates- The cast's original audition tapesSeason One BloopersBonus episode: Quarantine (From Season 3)- Zoey and her friends are stuck in their dorm room after Quinn releases a dangerous germ in their room",
'overall': 5.0,
'summary': 'Great Set',
'unixReviewTime': 1375488000,
'reviewTime': '08 3, 2013'},
{'reviewerID': 'A4GUR008TIRL5',
'asin': 'B000H3S8Z4',
'reviewerName': 'Brody',
'helpful': [0, 0],
'reviewText': 'It was exactly brand new in the box. Plays fine on my Portable DVD player. My aunt loves the show.',
'overall': 5.0,
'summary': 'Awesome.',
'unixReviewTime': 1396742400,
'reviewTime': '04 6, 2014'},
{'reviewerID': 'A1RUFSIMCNG64F',
'asin': 'B000H3S8Z4',
'reviewerName': 'cory J russell',
'helpful': [0, 0],
'reviewText': 'the product is exactly as described and has the complete season 1 perfect quality, and I recommend it to everyone.',
'overall': 5.0,
'summary': 'sweet show',
'unixReviewTime': 1365465600,
'reviewTime': '04 9, 2013'},
{'reviewerID': 'A37U5RBL7NLB96',
'asin': 'B000H3S8Z4',
'reviewerName': 'C. Schmuecker',
'helpful': [5, 7],
'reviewText': "I must say zoey 101 is such an interesting show. I find it very cute especially the part about chase loving zoey... does she love him back? Anyways, its just oh-so-cute. Dan Schneider, the producer, is a genius. Its a great dvd but it didnt contain all the bloopers or all the audition casts. The sound is great and the visual colors are eye candy. When does season 2 of Zoey 101 come out on dvd... I'm dying here. When will unfabulous and the rest of Drake and Josh come out on DVD? All in all, although it is only thirteen episodes plus season 3 quarantine,... it still is an amazing price. I had to buy the dvd on [...] because this dvd was not released outside of the states... not even in canadad!!!",
'overall': 5.0,
'summary': 'Great idea for kids lacking cable',
'unixReviewTime': 1174089600,
'reviewTime': '03 17, 2007'},
{'reviewerID': 'A2B9HE9CZTYX7V',
'asin': 'B000H3S8Z4',
'reviewerName': 'Daniel',
'helpful': [0, 0],
'reviewText': "This is something I've been wanting to purchase since watching on Nick in 2005.The show contains all 13 wonderful episodes, my only concern is there in letterbox and the show was made in 4:3 meaning I have to change my TV settings to watch it but I have watched each episode 3 times anyway and even my grandmother at 80 has been brought recently into liking this show so I'll hopefully get season 2 soon but I am waiting on a few other season 1's before I move on to more action at PCA in Zoey 101, Nickelodeon's greatest ever drama series.",
'overall': 5.0,
'summary': "PCA kicked off with a bang and Nickelodeon's best ever show is now on DVD",
'unixReviewTime': 1343433600,
'reviewTime': '07 28, 2012'},
{'reviewerID': 'A3AVU0PF43LU7',
'asin': 'B000H3S8Z4',
'reviewerName': 'Danielle Bennett',
'helpful': [0, 0],
'reviewText': 'My 12 year old daughter loves this show. 12 more words required. I would like more concise reviews when possible.',
'overall': 5.0,
'summary': 'Zoey fan 101',
'unixReviewTime': 1361836800,
'reviewTime': '02 26, 2013'},
{'reviewerID': 'A21TOHGBXLPVZU',
'asin': 'B000H3S8Z4',
'reviewerName': 'D.J.L',
'helpful': [15, 19],
'reviewText': "I absolutely loved the show Zoey 101 since it first debuted. I wasn't as a frequent watcher when Season 4 came around because I felt the styles were changing. And plus its painful to watch and know that it was towards the ending of show.But anyways...you want to know about what I thought of season 1: Basically, I thought it was terrific. The episodes were consisted of wide variety topics as any great sitcom is. Who doesn't love the Jet X episode where Zoey makes a very creative commercial out of crappy argument footage! Or the episode where the kids form a Disc-Golf team to get out of Gym. It made me want to find sneaky ways to get out of GYM too.Overall, the show is great. I think it is one of the best shows Nickelodeon has ever had to offer. It is an extreme shame that these Mothers couldn't accept how strong Jamie Lynn was, and that she could have continued on with the show. And one last thing, this season is reasonably priced; But as far as the other 3 seasons, $35 is outrageous! I read that Season 4, which is around like $35, doesn't even include all the episodes! So, just a warning to people who choose to buy the other seasons as well; try and buy it used.",
'overall': 5.0,
'summary': 'A Great Season and Show',
'unixReviewTime': 1251417600,
'reviewTime': '08 28, 2009'},
{'reviewerID': 'A10098453IQ1QPAWXXJZN',
'asin': 'B000H3S8Z4',
'reviewerName': 'Eileen LaHaie',
'helpful': [0, 0],
'reviewText': 'My granddaughter loves this!...great reward for her when she does well in school and does her chores around the house...thx',
'overall': 5.0,
'summary': 'granddaughter loves this!',
'unixReviewTime': 1380412800,
'reviewTime': '09 29, 2013'},
{'reviewerID': 'A1ZUW4BLFXBNDB',
'asin': 'B000H3S8Z4',
'reviewerName': 'E. Nez "maven book"',
'helpful': [3, 5],
'reviewText': "All of this show is very neat in acting and so much fun.I've been a (Jamie Lynn Spears) fan or Zoey on this show up to where she left making anymore movies.But I like all the Zoey shows and enjoy all her friends as well.This is a very good show.",
'overall': 4.0,
'summary': 'So Kool',
'unixReviewTime': 1278720000,
'reviewTime': '07 10, 2010'},
{'reviewerID': 'ATADW9Y58H1IB',
'asin': 'B000H3S8Z4',
'reviewerName': 'gina c hillhouse',
'helpful': [0, 0],
'reviewText': 'My niece loves this show and she had never seen the beginning shows. It was a great Spring Break gift.',
'overall': 5.0,
'summary': 'DVD',
'unixReviewTime': 1365379200,
'reviewTime': '04 8, 2013'},
{'reviewerID': 'AZZOQRSJP143F',
'asin': 'B000H3S8Z4',
'reviewerName': 'Hayley Brandner',
'helpful': [0, 0],
'reviewText': "My daughter loved this show when it first came out and she loves having the DVD of season 1. Can't wait to get her the 2nd season for her birthday. Cute show for tweens. Shows being a good kid with morals does get you popularity and happiness!",
'overall': 5.0,
'summary': 'my daughter loved this show, super happy to have the DVD',
'unixReviewTime': 1317168000,
'reviewTime': '09 28, 2011'},
{'reviewerID': 'A3FOGVLWW1806D',
'asin': 'B000H3S8Z4',
'reviewerName': 'H. Dredge',
'helpful': [0, 0],
'reviewText': 'I liked this alot it met my expectations..I loved seeing the first season I am going to order the second season',
'overall': 5.0,
'summary': 'zoey 101',
'unixReviewTime': 1356220800,
'reviewTime': '12 23, 2012'},
{'reviewerID': 'A80X2XK9NSNO2',
'asin': 'B000H3S8Z4',
'reviewerName': 'HECTOR CASTILLO',
'helpful': [0, 0],
'reviewText': 'I love Zoey 101 but, I wish Amazon would put it on prime.',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1404950400,
'reviewTime': '07 10, 2014'},
{'reviewerID': 'ANL2436PSQTXG',
'asin': 'B000H3S8Z4',
'reviewerName': 'Jayden: Diva Monster "Jayden Divaa"',
'helpful': [0, 0],
'reviewText': 'I loved this series from the very start and this is a gem of Nickelodeon that should be owned by all!So happy to add it to my DVD collection :)',
'overall': 5.0,
'summary': 'Where it all started...',
'unixReviewTime': 1338854400,
'reviewTime': '06 5, 2012'},
{'reviewerID': 'A39O7Q6AT9DOTX',
'asin': 'B000H3S8Z4',
'reviewerName': 'Juan Martinez',
'helpful': [0, 0],
'reviewText': 'Good product',
'overall': 4.0,
'summary': 'Four Stars',
'unixReviewTime': 1404777600,
'reviewTime': '07 8, 2014'},
{'reviewerID': 'A17IGN12HXSJSH',
'asin': 'B000H3S8Z4',
'reviewerName': 'Keri McGlaughlin',
'helpful': [0, 0],
'reviewText': 'My daughter has been trying to get these videos for about a year now. She was so excited to receive mail, but then to see it was the first season of Zoey 101, it made her day.',
'overall': 5.0,
'summary': 'my daughter was thrilled!',
'unixReviewTime': 1357084800,
'reviewTime': '01 2, 2013'},
{'reviewerID': 'A4FY9HV7DCD09',
'asin': 'B000H3S8Z4',
'reviewerName': 'K. Germaine',
'helpful': [22, 25],
'reviewText': "My 9 year old just loves this show, and as a parent, I do too. It's sweet, goofy and there's no bad content that I need to worry about. It's very innocent, and the young actors do a great job. It's a fun show and the kids seem to enjoy it.",
'overall': 5.0,
'summary': 'Great buy!',
'unixReviewTime': 1174780800,
'reviewTime': '03 25, 2007'},
{'reviewerID': 'AEFZF3CRXXHMI',
'asin': 'B000H3S8Z4',
'reviewerName': 'kristen',
'helpful': [5, 5],
'reviewText': 'I love zoey 101 . I love the cast I would hope all seasons will come out soon. jamie lyn spears is so adorable in this show . I just love her and her family . would be cool if it came on with brittney spears guest starring.',
'overall': 5.0,
'summary': 'zoey 101',
'unixReviewTime': 1217376000,
'reviewTime': '07 30, 2008'},
{'reviewerID': 'AD21J8LC24JG8',
'asin': 'B000H3S8Z4',
'reviewerName': 'LG',
'helpful': [0, 0],
'reviewText': "So if so much people weren't born when zoey 101 why aren't they putting on amozon agian I like it s much that I really love Zoey 101",
'overall': 5.0,
'summary': 'I think Zoey 101 should still be on amozon instant video',
'unixReviewTime': 1372550400,
'reviewTime': '06 30, 2013'},
{'reviewerID': 'A3GRERER9MIWTO',
'asin': 'B000H3S8Z4',
'reviewerName': 'lindsey',
'helpful': [1, 3],
'reviewText': "ok so here's the deal the dvd's were great but the case was a little bit off . The case was sealed looking brand new and all but i looked at the side that you open it on and it was cracked . A piece of the dvd case was missing !!",
'overall': 4.0,
'summary': 'Eh!',
'unixReviewTime': 1372809600,
'reviewTime': '07 3, 2013'},
{'reviewerID': 'A31DJJ8LCITP9J',
'asin': 'B000H3S8Z4',
'reviewerName': 'MacIver Lantz "Mac"',
'helpful': [2, 5],
'reviewText': "The moment I saw this was on Amazon instant I was hesitant to buy it because of the price. However after thinking about it for a day or two, I finally buckled down and bought it. I'm rating it four stars because at the moment, only certain episodes are available on Xbox 360, which is my primary method of entertainment next my Roku. The quality is excellent, and so far I haven't run into any problems.",
'overall': 4.0,
'summary': 'Brought back summer memories...',
'unixReviewTime': 1338595200,
'reviewTime': '06 2, 2012'},
{'reviewerID': 'A29ASTF58B8LVT',
'asin': 'B000H3S8Z4',
'reviewerName': 'MJ',
'helpful': [0, 0],
'reviewText': 'Never saw this show before I got it here on Amazon. Turned out to be very funny, and a worth while show to watch. The quality is perfect for computer use (good clear image, while downloading fast. No buffering needed if using a Cable connection or higher, haven\'t tested with DSL or lower) No commercials make it easy to watch and you hardly notice where commercials would have gone. Little about the show: Zoey (Jamie-Lynn Spears), is a very down to earth "average" girl who starts school at PCA [Pacific Coast Academy] which is a private school that used to be a all boys school. She moves in with her two roomates, meets her best friend, and several other friends. Each episode is based relatively on day to day life living at school. Highly recommended show. According to wikipedia, the show was takin off the air partly because of background reasons with the main character, but the show is still good, and I see no reason to believe otherwise.',
'overall': 5.0,
'summary': 'Great Show!',
'unixReviewTime': 1343779200,
'reviewTime': '08 1, 2012'},
{'reviewerID': 'A2E224EUN33YJV',
'asin': 'B000H3S8Z4',
'reviewerName': 'mr. nick pants',
'helpful': [3, 4],
'reviewText': "I love zoey 101, but there wasn't enough episodes on the first season. all the other shows have like 16 episodes per season, but zoey only has 13! the bonus features are awesome, but too short. there was only a few of them (and no commentary!) whats up with that?!?! over all, I give zoey 101 season1 4 out of 5 stars. :(",
'overall': 4.0,
'summary': 'good spacial features',
'unixReviewTime': 1310428800,
'reviewTime': '07 12, 2011'},
{'reviewerID': 'AAXE8XFYC35UI',
'asin': 'B000H3S8Z4',
'reviewerName': 'Mr. T',
'helpful': [0, 0],
'reviewText': 'excellent! My 9 year old and 14 year olds like to watch the re-runs of this show! Great for catching up on how the show started!',
'overall': 5.0,
'summary': 'great for zoey 101 fans',
'unixReviewTime': 1365724800,
'reviewTime': '04 12, 2013'},
{'reviewerID': 'A2UK8L3MCCSK61',
'asin': 'B000H3S8Z4',
'reviewerName': 'musicaddict',
'helpful': [2, 2],
'reviewText': "I love this dvd! it contains all the episodes of the first season! The stories of each episode are good! we laugh, we smile, the actors are really funny and really good!It's so sad that we can't have the 2nd and 3rd season on dvd yet! anyway if you love to watch the show over and over on TV buy this dvd!",
'overall': 5.0,
'summary': 'I love it!',
'unixReviewTime': 1210118400,
'reviewTime': '05 7, 2008'},
{'reviewerID': 'AIT674N3HE3RC',
'asin': 'B000H3S8Z4',
'reviewerName': 'pinkoscar',
'helpful': [0, 0],
'reviewText': 'We all love Zoey. It is to bad Spears screwed up and the show ended it was a good show.',
'overall': 5.0,
'summary': 'Love Zoey',
'unixReviewTime': 1358035200,
'reviewTime': '01 13, 2013'},
{'reviewerID': 'A1NFHERD705IS',
'asin': 'B000H3S8Z4',
'reviewerName': 'P. Stgermain "Lostyankee1987"',
'helpful': [6, 8],
'reviewText': 'I recently purchased this DVD for my niece to put into her Easter basket...She was thrilled with the DVD just as I was...Amazon did a great job on shipping it to me in a timely manner...I look forward to purchasing more items from Amazon...',
'overall': 5.0,
'summary': 'Zoey 101 - The Complete First Season',
'unixReviewTime': 1178496000,
'reviewTime': '05 7, 2007'},
{'reviewerID': 'A3KCKABLNYQ9WI',
'asin': 'B000H3S8Z4',
'reviewerName': 'Shawna Gray',
'helpful': [11, 14],
'reviewText': "Disc 1Welcome to PCANew RoomiesDefending DustinThe PlayWbcamJet-XSpring FlingDisc 2Prank WeekQuinn's DateBackpackSchool DanceDisc GolfLittle Beach Party",
'overall': 5.0,
'summary': 'Episodes',
'unixReviewTime': 1298160000,
'reviewTime': '02 20, 2011'},
{'reviewerID': 'A16GB9PVRTYTOW',
'asin': 'B000H3S8Z4',
'reviewerName': 'Tami Koval',
'helpful': [0, 0],
'reviewText': 'IT was lots of fun for young girls. My daughter likes this series a lot. It is silly and goofy and lighthearted.',
'overall': 5.0,
'summary': 'loved it',
'unixReviewTime': 1364256000,
'reviewTime': '03 26, 2013'},
{'reviewerID': 'A1BHGS2XRAM4G1',
'asin': 'B000H3TE16',
'reviewerName': 'corprateseller',
'helpful': [0, 0],
'reviewText': "I have been using this workout routine for about 3 weeks and I have lost so much weight. What seemed to be a impossible routine to complete in it's entirety has become much easier. I am seeing the results that I have only dreamed of just doing generic exercises. I can not express in words how great this workout is if you can press pass the initial pain. All I can say is the rapid changes in your body will keep you hooked.I still have a about 25 more pounds to go but this work out has helped me shape up and build endurance already.",
'overall': 4.0,
'summary': 'Phenominal Workout Results',
'unixReviewTime': 1346716800,
'reviewTime': '09 4, 2012'},
{'reviewerID': 'A2W16UL7959E8E',
'asin': 'B000H3TE16',
'reviewerName': 'Mita228',
'helpful': [1, 1],
'reviewText': 'This product is a very good way to jump start your exercise program. If you are looking for an inexpensive way to exercise, I would recommend this download!',
'overall': 4.0,
'summary': 'Excel Workout',
'unixReviewTime': 1342224000,
'reviewTime': '07 14, 2012'},
{'reviewerID': 'AOIWJMFXP73ML',
'asin': 'B000H3THMW',
'reviewerName': 'Alfred W. Vaughan "Wayne Vaughan"',
'helpful': [0, 0],
'reviewText': 'Do not waste your precious time listening to this idiot. Really people, I weep for this country that we can find this jackwad funny.',
'overall': 1.0,
'summary': 'Bad',
'unixReviewTime': 1388275200,
'reviewTime': '12 29, 2013'},
{'reviewerID': 'A3EUN75832NOE6',
'asin': 'B000H3THMW',
'reviewerName': 'charles e. cannon',
'helpful': [0, 0],
'reviewText': "In 60 years I've seen them all and Rocky stands up with the best of them...without being filthy! Now mind you, I'm not a prude, I appreciated Bruce, Prior, Carlin,Williams, etc. but Laporte, like Cosby, shows how funny some one can be with great original material, impeccable timing and a delivery that in and of itself is hilarious. Next time he's at a club near you, get off your butt and go see him...he's worth the time and money!",
'overall': 5.0,
'summary': 'ROCKY ROCKS!!!',
'unixReviewTime': 1373414400,
'reviewTime': '07 10, 2013'},
{'reviewerID': 'A13IC8H9351C73',
'asin': 'B000H3THMW',
'reviewerName': 'Craig Beeson',
'helpful': [0, 0],
'reviewText': "A lot of cliched, empty posing, and desperately trying to look cool. I can't believe how these people are driven to attempt this, and for what? Stupid, stupid, stupid. There are probably 1-2 authentic comics per generation or something. This time it's Doug Stanhope and maybe Louis CK, but none of the people in "CC Presents" matter at all.",
'overall': 2.0,
'summary': 'This Is Not Good',
'unixReviewTime': 1393632000,
'reviewTime': '03 1, 2014'},
{'reviewerID': 'A2FA6801MWQBG0',
'asin': 'B000H3THMW',
'reviewerName': 'David C Butler',
'helpful': [0, 0],
'reviewText': "This was funny. I really like the the commercials are removed. I've seen many of these before but still enjoy them.",
'overall': 5.0,
'summary': 'worth watching',
'unixReviewTime': 1360454400,
'reviewTime': '02 10, 2013'},
{'reviewerID': 'A10Z3FTSP8X91M',
'asin': 'B000H3THMW',
'reviewerName': 'David Griffin',
'helpful': [0, 1],
'reviewText': 'The title should\'ve been "The Ghetto Dr. Phil" because that\'s all we talked about... relationships. Funny but short as hell. I love Corey Holcomb but you just beg him to expand his material because he\'s so clever.',
'overall': 3.0,
'summary': 'Ghetto dr. phil is right....',
'unixReviewTime': 1290038400,
'reviewTime': '11 18, 2010'},
{'reviewerID': 'A173ZD76DNOXHV',
'asin': 'B000H3THMW',
'reviewerName': 'Diane Doe "homeschooler"',
'helpful': [0, 0],
'reviewText': 'Tess is a bigot. She libeled Condi Rice. No excuse for that. A fine accomplished black woman, and she has to put her down because she disagrees with her boss.',
'overall': 1.0,
'summary': 'Condoleeza doesn’t lie.',
'unixReviewTime': 1400198400,
'reviewTime': '05 16, 2014'},
{'reviewerID': 'A2RV0QPLE6085G',
'asin': 'B000H3THMW',
'reviewerName': 'Don',
'helpful': [0, 0],
'reviewText': "In my opinion, the Italian comedians are by far the funniest people on this program, and I'm not Italian. The least funny, again in my opinion, are the people who base their entire routine on either ethnic or gender backgrounds.",
'overall': 4.0,
'summary': 'Some are funnier than others',
'unixReviewTime': 1392422400,
'reviewTime': '02 15, 2014'},
{'reviewerID': 'A1OP2QWMNRSQ7M',
'asin': 'B000H3THMW',
'reviewerName': 'EJax',
'helpful': [0, 0],
'reviewText': 'Like always. Its either funny or its not... thats how I judge shows I watch. 3 stars. works for me.',
'overall': 3.0,
'summary': 'Funny...',
'unixReviewTime': 1397088000,
'reviewTime': '04 10, 2014'},
{'reviewerID': 'A39QJ94KJIDW99',
'asin': 'B000H3THMW',
'reviewerName': 'George Ryland "Mindspanker"',
'helpful': [0, 0],
'reviewText': 'Some good comedians some not so good. Some good comedians some not so good. Some good comedians some not so good. I detest being told how many words I need to write.',
'overall': 3.0,
'summary': 'Some good comedians some not so good.',
'unixReviewTime': 1377129600,
'reviewTime': '08 22, 2013'},
{'reviewerID': 'A13T8KJYTI4Y1B',
'asin': 'B000H3THMW',
'reviewerName': 'gman0710',
'helpful': [0, 0],
'reviewText': "Great to listen to after work makes the day end with a relaxing laughter the only problem is you can get hooked and 2 hour's past",
'overall': 5.0,
'summary': 'relax with a laugh',
'unixReviewTime': 1383436800,
'reviewTime': '11 3, 2013'},
{'reviewerID': 'A2MP1WL5J87JZ2',
'asin': 'B000H3THMW',
'reviewerName': 'Jeremiah Johnson',
'helpful': [0, 0],
'reviewText': "since this is a series but every show is a different comedian hard to judge as a whole, it's free for prime so nothing lost on the lesser talent and the good ones are good so you might find a gem in here!",
'overall': 3.0,
'summary': 'every other one',
'unixReviewTime': 1395705600,
'reviewTime': '03 25, 2014'},
{'reviewerID': 'A18OTI31YJK8CU',
'asin': 'B000H3THMW',
'reviewerName': 'Jerome Murphy',
'helpful': [0, 0],
'reviewText': 'These guys are very funny. My husband and I enjoyed them. No homophobic "comedy" like in years past. Thank you.',
'overall': 4.0,
'summary': 'Lots of funny men',
'unixReviewTime': 1381708800,
'reviewTime': '10 14, 2013'},
{'reviewerID': 'A1FGL99VJWE3PZ',
'asin': 'B000H3THMW',
'reviewerName': 'kmassie6208',
'helpful': [0, 0],
'reviewText': 'love it very funny. easy to find and watched it and even told my friend about it. love amazom prime.',
'overall': 4.0,
'summary': 'funny stuff',
'unixReviewTime': 1395878400,
'reviewTime': '03 27, 2014'},
{'reviewerID': 'A2YMV6PAPGE7',
'asin': 'B000H3THMW',
'reviewerName': 'Lance Brooks, Austin TX',
'helpful': [0, 0],
'reviewText': 'Many of the acts have some off-color jokes or gestures in them, and I was disappointed to see a large blur on the screen or have the routine interrupted with a beep, I guess to "protect" me from hearing or seeing things that someone ELSE finds offensive. Despite that, the comics in this season are great, and I definitely recommend it.',
'overall': 4.0,
'summary': "I'm an adult Amazon.",
'unixReviewTime': 1403308800,
'reviewTime': '06 21, 2014'},
{'reviewerID': 'A1FTJFWNCOIBKL',
'asin': 'B000H3THMW',
'reviewerName': 'Lori Denton',
'helpful': [0, 0],
'reviewText': 'I think VIC is extremely funny. I only wish that AMAZON had more on him. They should add him to the Blue Collar Comedy Tour. He is so funny.',
'overall': 5.0,
'summary': 'LOVE IT',
'unixReviewTime': 1179100800,
'reviewTime': '05 14, 2007'},
{'reviewerID': 'AUX8EUBNTHIIU',
'asin': 'B000H3THMW',
'reviewerName': 'Louis V. Borsellino',
'helpful': [0, 0],
'reviewText': "Don't think so. Not my cup of soup. Some funny lines but not that many to hold my interest. Bored most of the time.",
'overall': 2.0,
'summary': 'Comedy???',
'unixReviewTime': 1391472000,
'reviewTime': '02 4, 2014'},
{'reviewerID': 'A230LQD11ZKLQO',
'asin': 'B000H3THMW',
'reviewerName': 'Michael J. Harper',
'helpful': [0, 0],
'reviewText': 'Tongue in cheek player tells us how it is. Tons of quotable material, especially the riff on the five level of girls in a guys life.',
'overall': 5.0,
'summary': 'Top 100 standup',
'unixReviewTime': 1315612800,
'reviewTime': '09 10, 2011'},
{'reviewerID': 'A3P448HKMPTI6P',
'asin': 'B000H3THMW',
'reviewerName': 'MLW',
'helpful': [0, 0],
'reviewText': "Very funny comedian. Rocky Laporte delivers a hilarious stand up routine with his off beat delivery, innocence and quirky accent. Wish he had more, I've watched this half a dozen times already.",
'overall': 5.0,
'summary': 'Yo, Rocky!',
'unixReviewTime': 1372982400,
'reviewTime': '07 5, 2013'},
{'reviewerID': 'A1P4TGIP8PMEVD',
'asin': 'B000H3THMW',
'reviewerName': 'Moviemanforever',
'helpful': [0, 0],
'reviewText': "What's unique about Rocky LaPorte is his comedic delivery. He downplays the punchlines, and his 'callbacks' (running joke throughout his set) has an unexpected end, which the audience loved. I haven't seen him on TV lately, so I'm going to get his CD and look for him at the local comedy clubs. This should be available on DVD so that more people can access Rocky's talent.",
'overall': 5.0,
'summary': 'Rocky LaPorte - One of the Few Comedians Who Is Really Funny',
'unixReviewTime': 1397692800,
'reviewTime': '04 17, 2014'},
{'reviewerID': 'A29NEURIUQEYNB',
'asin': 'B000H3THMW',
'reviewerName': 'Mr_MagicBlaze',
'helpful': [0, 0],
'reviewText': 'great impression and funny stories .. all comedy central shows are funny to watch especially when you are under the influence',
'overall': 5.0,
'summary': 'funny',
'unixReviewTime': 1362614400,
'reviewTime': '03 7, 2013'},
{'reviewerID': 'A19IYBHN1W6C5R',
'asin': 'B000H3THMW',
'reviewerName': 'philoneous',
'helpful': [0, 0],
'reviewText': "Very funny. He delivers a one liner and tacks on an even funnier post script. Jimmy's dry British humor may be hard for American audiences to grasp. I think there are 3 entrys for Jim Carr. If possible watch them in order to see his growth towards US style comedy.",
'overall': 5.0,
'summary': 'Quick wit, very dry',
'unixReviewTime': 1371081600,
'reviewTime': '06 13, 2013'},
{'reviewerID': 'A28DF0HL3W7RAW',
'asin': 'B000H3THMW',
'reviewerName': 'R. H.',
'helpful': [0, 0],
'reviewText': 'Very funny!!',
'overall': 4.0,
'summary': 'Four Stars',
'unixReviewTime': 1404000000,
'reviewTime': '06 29, 2014'},
{'reviewerID': 'A5OZRRLA0LDLZ',
'asin': 'B000H3THMW',
'reviewerName': 'Richard Mihailin',
'helpful': [0, 0],
'reviewText': 'Good comedians just not enough shows like this. Some of the greats got started here. Other stand-up shows should be available.',
'overall': 4.0,
'summary': 'There should be more standp-up comedy shows',
'unixReviewTime': 1400112000,
'reviewTime': '05 15, 2014'},
{'reviewerID': 'A81P47EIXM8HA',
'asin': 'B000H3THMW',
'reviewerName': 'Richardson "Clarence"',
'helpful': [1, 1],
'reviewText': "Okay...there are a few Craig Shoemaker actual DVDs to get before buying thisCraig Shoemaker: The Lovemaster... UnzippedCraig Shoemaker: Live - That's A True Story!The Lovemaster....but I really like Craig Shoemaker so why not drop 1.99 and get a 22 minute comedy show on my computer? Its essentially an abbreviated show but action packed. The only negative is even though this was broadcast on comedy central in a wonderful hall....the process Amazon uses degrades the image. I can't diminish any stars due to the process and at 2 bucks...its certainly something I like to have on my computer for a laugh when needed.",
'overall': 5.0,
'summary': 'for 2 bucks you get an abbreviated greatest hits !!',
'unixReviewTime': 1302307200,
'reviewTime': '04 9, 2011'},
{'reviewerID': 'A1OA08S57AMFUT',
'asin': 'B000H3THMW',
'reviewerName': 'T. Frye',
'helpful': [0, 0],
'reviewText': 'I all ways like his stand up or shows he is in. Fun from beginning to end. Loved it. I want more.',
'overall': 5.0,
'summary': 'Good.',
'unixReviewTime': 1369440000,
'reviewTime': '05 25, 2013'},
{'reviewerID': 'AXKQ0J7B6XK4I',
'asin': 'B000H3THMW',
'reviewerName': 'William J. Cowell',
'helpful': [0, 0],
'reviewText': 'Have loved him all the way back to his days at Last Comic Standing. I watch him anytime I can.',
'overall': 5.0,
'summary': 'I love Alonzo',
'unixReviewTime': 1393200000,
'reviewTime': '02 24, 2014'},
{'reviewerID': 'A25BVF8ZEZZ9DG',
'asin': 'B000H3THMW',
'reviewerName': 'William W Pendleton',
'helpful': [0, 0],
'reviewText': 'Not clever,shallow, crude. I did not watch all performances. Those I saw had poor timing, unpleasant voices, and punch lines easily anticipated and not very funny.',
'overall': 2.0,
'summary': 'Not as goood as I have seen',
'unixReviewTime': 1393372800,
'reviewTime': '02 26, 2014'},
{'reviewerID': 'A2Z7N4MVNM9Z6T',
'asin': 'B000H3TPG0',
'reviewerName': 'Brandon Hanquist',
'helpful': [0, 0],
'reviewText': "I love this show, but it is only 15 minutes long. I am not going to pay $2 an episode for a 15 minute show when that's the same price as 1 hour dramas on NBC. You seriously need to rethink your pricing system.",
'overall': 1.0,
'summary': 'not worth $2 an episode',
'unixReviewTime': 1203033600,
'reviewTime': '02 15, 2008'},
{'reviewerID': 'A1K7K7MQO10C10',
'asin': 'B000H3TPG0',
'reviewerName': 'Elizabeth Hanson "sageautumnspazdogz"',
'helpful': [3, 7],
'reviewText': "I'd really like to buy this season but I'm not paying that for such a short clip. I actually think ATHF is only 11 min. Amazon should bundle shorter episodes when selling them.",
'overall': 1.0,
'summary': 'This is so ridiculous',
'unixReviewTime': 1205366400,
'reviewTime': '03 13, 2008'},
{'reviewerID': 'ACCQSYKK5I551',
'asin': 'B000H3TPG0',
'reviewerName': 'themidnighttoker "blaze daylie"',
'helpful': [3, 7],
'reviewText': 'even at $1.89 its toooo much id like to have them but not for 2 bucks a pop',
'overall': 1.0,
'summary': 'i agree',
'unixReviewTime': 1203292800,
'reviewTime': '02 18, 2008'},
{'reviewerID': 'A3CWU379NIEHHF',
'asin': 'B000H3U8S4',
'reviewerName': 'JOHN W. GRAYHURST',
'helpful': [0, 1],
'reviewText': "THE FIRST SEASON WAS THE BEST, THERE WAS SOMETHING ABOUT THE LIGHTING,ALONG WITH THE FILM STOCK,CAMERAS,SET DESIGN THAT NOW HAS LONG BEEN LOST..SO SIMPLE NO STUPID SPEILBERG [ dreamworks ] CARTOON ANIMATION.. JUST GUYS IN RUBBER SUITS THAT WERE MONSTERS..THE CAST,,A PERFECT MIX BILLY MUMY,[WILL] J HARRIS [SMITH] AND THE ROBOT'S VOICE NOT THAT GUY THAT TAKES ALL THE GLORY OF THE ROBOT, WHATS HIS NAME BOB MAY !!!!DICK TUFELD WAS THE REAL STAR...THE VOICE..GUY WILLIAMS [P ROBBINSON] WAS A STRANGE KIND OF GUY THAT IMPRINTED REAL EMOTION THROUGH THE CAMERA.HE ALWAYS SEEMEED TO HAVE A CHIP ON HIS SHOULDER IN EVERY SCENE,LIKE HE WAS GONNA EXPLODE. HE CONSTANTLY WANTED CLOSE UP'S OF HIMSELF IN THE LAST YEAR OF FILMING, BIG EGO !!!!!!! THAT MADE HIM WHAT HE WAS.. GREAT...MARK GODDARD [MAJOR] WAS ANOTHER ACTOR WITH AN ATTITUDE THAT CAME THROUGH, HE SEEMED TO HATE HIS PART BUT HIS WILLINGNESS TO ACT THE PART CREATED REAL SPARK IN THE WAY HE APPROACHED HIS INTERACTING WITH THE OTHER ACTORS..BILLY MUMY[WILL] THAT KID CREATED WONDER AND ADVENTURE IN ME WHEN I WAS A LITTLE BOY EATING MY LUNCH IN FRONT OF MY OLD BLACK AND WHITE TV.NEVER HAVE I EVER SEEN SUCH A YOUNG ACTOR INTERACT WITH EVERY OLDER ACTOR PUTTING THEM TO SHAME, HE HAD AND STILL DOES HAVE THAT MOVIE MAGIC IN HIS VEINS,HE MADE THE JUPITER SEEM POSSIBLE..AND THROUGH HIS ACTING IMPRINTED VALUES,MORALS THAT I STILL REMEMBER FROM WATCHING HIM 40 YEARS BEFORE..JOHNATHIN HARRIS[ ZACK] WHAT A INTERESTING PERSON,AND ACTOR, HE CARRIED THE SHOW AND WAS THE STAR..HE HAD THAT SPECIAL TALENT TO TAKE NONSENCE SCRIPT AND TURN IT INTO REAL ENERGY,HIS VOICE WAS HIS GIFT THAT TONAL QUALITY TO PROJECT OUT LIKE ON BROADWAY BEFORE THEY HAD MICROPHONES. HE COULD PROJECT AND CREATE EXCITEMENT,HE HAD GREAT TIMING BETWEEN HIS LINES,HE CHANGED HIS VOICE CONSTANTLY CREATING ENDLESS INTEREST IN THE CHARACTER,GUESS WHO ELCE HAS IT...GIVE UP? ORSON WELLS WATCH HIM IN MOBY DICK AS THE PASTOR GIVING A SERMON.. THEY BOTH HAVE THE SAME MOVIE MAGIC GIFT..NEVER BEEN SEEN AGAINTHE REST OF THE CAST WERE IMPRESSIVE IN THERE CHARACTERS AND DID WELL...THE SET DESIGNER WAS A GUY WHO DID THE TWILIGHT ZONE,FANTISTIC VOYAGE, FORBIDDEN PLANET REMEMBER THEM...YEA YOU KNOW!!!!GUYS USING ALUMINUM FOIL, RUBBER,STYRAPHOME,DAY GLO PAINT, SURAN WRAP, MAKES THE MOVIES TODAY BY THESE GUYS WHO HAVE NO IMMAGINATION WITH PROPS, THEY USE COMPUTTERS,RE- INVENTED STAR TREK FIRST GENNERATION MASKS OVER...OVER AGAIN LOOK STUPID..THE SET OF THE JUPITER IN THE FIRST SEASON [B-W] WITH THAT GREAT CONTRAST AND DEPTH OF FIELD, CREATING THOSE BLINKING LITTLE LIGHTS BLURED IN THE BACKROUND STILL IMPRESS ME TODAY. WAS IT THOSE OLD GERMAN HAZZENBLAT LENS IN THOSE OLD FILM CAMERAS ALONG WITH THE PRE HALOGEN LIGHTS YES.........AND THE LOST ART OF HOLLYWOOD FILMING...JOHNNY G NY",
'overall': 5.0,
'summary': 'GOOD OLD DAYS..................',
'unixReviewTime': 1248998400,
'reviewTime': '07 31, 2009'},
{'reviewerID': 'A3BH8VUDIJJXNO',
'asin': 'B000H422VY',
'reviewerName': 'abbaselena "Paul"',
'helpful': [16, 25],
'reviewText': "BONANZA fans! Season 1 both Vols 1 & 2 will be arriving on the same day on 1 Sept., 2009! This was announced today, 1 June 2009. You can buy separate or bundled together, a new trend in DVD release.Hope all 14 seasons come out soon. Can't wait till can pre-order on amazon.",
'overall': 5.0,
'summary': 'Season 1 coming Sept 1, 2009!',
'unixReviewTime': 1243814400,
'reviewTime': '06 1, 2009'},
{'reviewerID': 'A1DTCJV6KOMJOA',
'asin': 'B000H422VY',
'reviewerName': 'A*',
'helpful': [58, 65],
'reviewText': "I have been waiting for this box set for ages! And it has finally arrived. I wasn't around when this show first aired. But I remember my first viewing of it sometime in the 90's (I know, really late to the party) and I fell in LOVE! Ugh, there was just something about it that made me obsessed with it. For some strange reason there is a sense of tranquility that I got from that one viewing that there just doesn't seem to be on TV anymore.From that one viewing, I started watching it religiously, it came on as a two hour block. And I watched every flippin' two dang hours, every dang day of the week. And was happy to find out that they spazzed out with marathons of it on weekends! I was in Bonanza heaven! And then the networks took it from me! No more Little Joe, Hoss - Adam! I had some serious withdrawals. And I was not only shocked but a little bit upset to find out that this classic television show was not available on DVD!But that has been fixed. The packaging is OK. Nothing to rave about. It doesn't even come in a box! You just get two dvd cases. Would it have killed Paramount to give us loyal viewers a customized box! You do get a summary of each episode and you do get the original theme song. Yes, I find that very important. On youtube, you get some bastardized version and when I want my Bonanza I want the original. The discs look great, a bump in quality than what they usually look like on television. The extras are not mind blowing, some of them consist of: alternate pilot ending, a tribute remembering Michael Landon/Dan Blocker etc.I don't have to recommend the show to those who love it, but for those who don't, give it a chance.",
'overall': 5.0,
'summary': 'Finally!',
'unixReviewTime': 1252972800,
'reviewTime': '09 15, 2009'},
{'reviewerID': 'A3P3PL7LJCC7LP',
'asin': 'B000H422VY',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'My children love the show. A throw-back to the days when families lived out their values. Arrived on time and in perfect condition.',
'overall': 5.0,
'summary': 'A classic',
'unixReviewTime': 1402444800,
'reviewTime': '06 11, 2014'},
{'reviewerID': 'A16CR6NL2JW5DQ',
'asin': 'B000H422VY',
'reviewerName': 'Amazon Customer',
'helpful': [0, 5],
'reviewText': "Unfortunately it kept stopping to buffer, we finally turned it off. May have been my connection but I wasn't impressed.",
'overall': 1.0,
'summary': 'Great Episodes were available',
'unixReviewTime': 1395187200,
'reviewTime': '03 19, 2014'},
{'reviewerID': 'A1HLV4GQY68TH5',
'asin': 'B000H422VY',
'reviewerName': 'Aubrey Sarreal',
'helpful': [0, 0],
'reviewText': 'My husband is a big fan. He watches an episode about once a week. Recommended for anyone who is looking to feel the nostalgia of this show. Visual quality is better than I remember from when it aired on tv. Also the bonus features are neat without being too much content.',
'overall': 5.0,
'summary': 'Bonanza fans will be pleased',
'unixReviewTime': 1404604800,
'reviewTime': '07 6, 2014'},
{'reviewerID': 'A20HDLA8ON66Y7',
'asin': 'B000H422VY',
'reviewerName': 'Aunty Tam',
'helpful': [22, 29],
'reviewText': 'Why are we waiting (and waiting) for our beloved Bonanza to be released on DVD in North America? Surely even the most complicated legal wrangling can\'t delay the blessed event by this many years?! I hear that the series can be obtained in Germany, but not in America? Nutty but true...So "to whom it may concern": please pick up the pace, and deliver. Many devoted Bonanza fans have waited long enough.',
'overall': 5.0,
'summary': 'To "The Powers that Be"...',
'unixReviewTime': 1232064000,
'reviewTime': '01 16, 2009'},
{'reviewerID': 'A2HK9R3J7FUY2J',
'asin': 'B000H422VY',
'reviewerName': 'Barbara Koch',
'helpful': [0, 2],
'reviewText': 'I love Bonanza, but the first season is not available. I wish it were. I view the second season regularly.',
'overall': 5.0,
'summary': 'Not available',
'unixReviewTime': 1362614400,
'reviewTime': '03 7, 2013'},
{'reviewerID': 'A78KOQQ8DLEVK',
'asin': 'B000H422VY',
'reviewerName': 'Barry Jackson',
'helpful': [0, 0],
'reviewText': "Great quality! Can't beat those classics! If you like good clean, moral westerns then you will love these old episodes.",
'overall': 5.0,
'summary': 'classic',
'unixReviewTime': 1367107200,
'reviewTime': '04 28, 2013'},
{'reviewerID': 'A1R9PLK74MR6AF',
'asin': 'B000H422VY',
'reviewerName': 'B. Boop',
'helpful': [5, 28],
'reviewText': "Why wait all this time when you can have seasons 1 through 7 from German Amazon! I certainly didn't!",
'overall': 2.0,
'summary': 'Seasons 1 through 7 are available on German Amazon!',
'unixReviewTime': 1248307200,
'reviewTime': '07 23, 2009'},
{'reviewerID': 'A1DB4U8ISVULVE',
'asin': 'B000H422VY',
'reviewerName': 'Bill Smith',
'helpful': [2, 11],
'reviewText': 'This DVD set contains the first season of one of the most popular TV westerns, Bonanza. I never thought that Bonanza was an accurate portrayal of the West. First of all, I don\'t like color television. Don\'t like that color for nothin\'. Saw \'Bonanza\' at my in-laws. It\'s not for me. The Ponderosa looked fake. Hardly recognized Little Joe.But more importantly, the portrayal of male-female relations was out of whack. Ya got these four guys living on the Ponderosa and ya never hear them say anything about wanting to get laid. I mean ya never hear Hoss say to Little Joe, "I had such morning wood when I woke up this morning." They don\'t talk about broads - nothing. Ya never hear Little Joe say, "Hey, Hoss, I went to Virginia City and I saw a girl with the greatest ass I\'ve ever seen in my life." You never hear Little Joe say "Hey Pa, I\'m goin into town to get a piece of ass." They just walk around the Ponderosa: "Yes, Pa, where\'s Little Joe?" Nothin\' about broads. I don\'t think I\'m being too picky. But, if at least once, they talked about getting horny. I don\'t care if you live on the Ponderosa or in Baltimore, guys talk about getting laid. Plus, you got Lorne Greene with 3 sons, all from different mothers, who are about 5 years younger than he is. What, each one died giving birth? I\'m beginning to think that show doesn\'t have too much realism. Unless of course, you have your head up your oyster......',
'overall': 3.0,
'summary': 'The Ponderosa looks fake',
'unixReviewTime': 1365552000,
'reviewTime': '04 10, 2013'},
{'reviewerID': 'A3L5VIXGTCW2X9',
'asin': 'B000H422VY',
'reviewerName': 'Bird Person',
'helpful': [1, 1],
'reviewText': "Excellent video, sound, packaging. Don't waste time, money, frustration on the cheaper collections. Spend the extra and get the official season packages. Closed captioning, the protective DVD cases..episodes other than the same old 31 repackaged over and over again. Just buy these, forget the out of copyright episodes and get the best. Guaranteed satisfaction for Bonanza fans. Hope to live long enough to get through the release of all 14 seasons.",
'overall': 5.0,
'summary': 'FABULOUS!',
'unixReviewTime': 1370044800,
'reviewTime': '06 1, 2013'},
{'reviewerID': 'A15XPIBYFVBQEK',
'asin': 'B000H422VY',
'reviewerName': 'BonanzaFan47',
'helpful': [3, 3],
'reviewText': "This official American release is a must-have for any Bonanza fan, whether a die-hard or just (re)discovering this classic show. Video and audio quality are superb, and the extras are fantastic -- worth the cost alone! I couldn't be happier with this DVD. Highly, highly recommended! Be sure to check out the second season, too!",
'overall': 5.0,
'summary': 'Fantastic! Completely worth it!',
'unixReviewTime': 1301443200,
'reviewTime': '03 30, 2011'},
{'reviewerID': 'A17DBJLYQZ7G0I',
'asin': 'B000H422VY',
'reviewerName': 'BonanzaQueen',
'helpful': [3, 3],
'reviewText': "I am so glad Bonanza is on DVD! I was just introduced to Bonanza and I love it! The quality of this DVD set is wonderful. I can't wait for the other seasons to come out too!",
'overall': 5.0,
'summary': 'Awesome!',
'unixReviewTime': 1305849600,
'reviewTime': '05 20, 2011'},
{'reviewerID': 'AMS2MXUTNSMJE',
'asin': 'B000H422VY',
'reviewerName': 'B. P. Wilcox',
'helpful': [4, 4],
'reviewText': 'I bought Bonanza: The Official First Season, Vol 1 & 2 and recently received Season 2 Vol. 1...A dream come true to finally see this series released "officially" instead of some awful "bootleg" Bonanza DVDs that, in desperation, I bought to get my Bonanza fix (bootleg copies are awful! Don\'t waste your money!). The official DVDs are UNCUT, have the original music and tons of extra features. In one word: glorious! I do wish CBS would release them more quickly though.',
'overall': 5.0,
'summary': 'Bonanza Anytime I want it!',
'unixReviewTime': 1292630400,
'reviewTime': '12 18, 2010'},
{'reviewerID': 'APPZXKGOZTX3Z',
'asin': 'B000H422VY',
'reviewerName': 'BZ4ever',
'helpful': [2, 2],
'reviewText': 'Bonanza was the best TV western when I was young and now I get to relive all those fantastic times again!The videos are great in color and the language is very easy to hear.Almost like being there!',
'overall': 5.0,
'summary': 'childhood relived',
'unixReviewTime': 1288915200,
'reviewTime': '11 5, 2010'},
{'reviewerID': 'A2E3F04ZK7FG66',
'asin': 'B000H422VY',
'reviewerName': 'calvinnme',
'helpful': [10, 14],
'reviewText': 'At least I hope this is the first of many complete seasons to come. There are 32 episodes of Bonanza in the first season. You can buy just volume one or two, but I can\'t imagine why you would.Bonanza explores the adventures of the Cartwright family consisting of three-time widower Ben Cartwright and his three sons Adam, Hoss, and Little Joe. Each son has a different mother and a very different background. Adam\'s mother is from New England, Hoss\' mother had Scandinavian roots and met Ben out on the Great plains when Ben and Adam were on the way west after Ben\'s first wife died. Little Joe\'s mother was a southerner from New Orleans. This difference in roots is explored even in the first season when Little Joe almost joins the Confederate army after having someone come into town and stir up his feelings for his southern roots. However, the full story doesn\'t come out until after this season. There is one episode each in seasons two, three, and four that are dedicated to telling the story of each of Ben\'s wives.This first season follows the successful roadmap that all of the seasons did. Many have a guest star that is recognized even today. For example, Yvonne De Carlo is the guest star in the first episode. Alan Hale Jr. (The Skipper of Gilligan\'s Island) also makes the first of several guest appearances he will make over the years during this first season.Most episodes involve heavy-hitting drama often involving some injustice which the Cartwrights, with their prominent place in the community, are in a place to right. However, there are a few almost completely comedic episodes here and there. The odd thing is, nobody did comedy as well as Bonanza did when Bonanza decided to do comedy, and usually Hoss is at the center of it all.The show never really produces a long story arc. Each episode pretty much stands alone. The show really had only two disruptions. The first, which didn\'t prove fatal to the show, was when Pernell Roberts left in the late 1960\'s. His "place" was taken by Candy. Candy was not another son - he was a hired hand, but he was also a trusted friend of the Cartwrights.The second disruption probably was fatal by most accounts. Dan Blocker, who played Hoss, died suddenly of a heart attack in 1972. The show only lasted one more season before it was cancelled. Blocker\'s character of Hoss wasn\'t the most handsome of the Cartwrights in the conventional sense, but he was the heart and very much the sense of humor of the show. His loss was irreplacable.',
'overall': 5.0,
'summary': 'One of the great long-running westerns now in complete seasons',
'unixReviewTime': 1245542400,
'reviewTime': '06 21, 2009'},
{'reviewerID': 'A122VVO38XXZIX',
'asin': 'B000H422VY',
'reviewerName': 'Canadijan',
'helpful': [6, 6],
'reviewText': "I absolutely love this show!! I must say that I could not believe the quality of these episodes when I finally got my hands on this dvd set this past weekend. The picture and sound are excellent! I have always been a fan of Bonanza, Michael Landon, Lorne Greene (Go Canada!!)and the entire cast and have only been able to catch episodes here and there on cable TV here in the Caribbean so when I realized the first official season was available I jumped at it. I'm ordering the OFFICIAL (not bootleg) Season 2 Vol 1 at the end of the month and I really really hope the other seasons are made available and SOON!!",
'overall': 5.0,
'summary': 'Definitely worth the money!!',
'unixReviewTime': 1309996800,
'reviewTime': '07 7, 2011'},
{'reviewerID': 'A1NO9F8RX3VK5F',
'asin': 'B000H422VY',
'reviewerName': 'Carrie Brown',
'helpful': [0, 0],
'reviewText': 'Love it! Decent programming....the way it used to be and still should be',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1404086400,
'reviewTime': '06 30, 2014'},
{'reviewerID': 'A35REM1YFOFSCT',
'asin': 'B000H422VY',
'reviewerName': 'Cas',
'helpful': [4, 4],
'reviewText': 'It was a long wait, but without a doubt, worth every moment of waiting. This \'first season" set is beautifully designed, jam-packed with "extras" that will delight Bonanza fans all around the world. Interviews, pictures, stories make this set "extra" special, along with the wonderful first season episodes that paved the way for Bonanza\'s amazing fourteen seasons on television. Created and cast by producer David Dortort: Lorne Greene, Pernell Roberts, Dan Blocker and Michael Landon made Bonanza and the amazing Cartwrights come to life, touch our hearts, and live forever in television history.The only thing missing is the 13 seasons that followed this wonderful first season debut, and I am anxiously looking forward to the release of the rest of this series. I highly recommend buying this first season set and all the Bonanza releases to follow. This "official" release is a fantastic treasure!',
'overall': 5.0,
'summary': 'Bonanza-No Other Show Comes Close!',
'unixReviewTime': 1254441600,
'reviewTime': '10 2, 2009'},
{'reviewerID': 'A1JGJGO5YAVALK',
'asin': 'B000H422VY',
'reviewerName': 'Ceilidh "avid photographer Kaylee"',
'helpful': [1, 1],
'reviewText': "I love Bonanza, and this is great quality DVD with the original music direct from the masters of the show. If you love Bonanza, don't miss it!",
'overall': 5.0,
'summary': 'Love it!',
'unixReviewTime': 1368403200,
'reviewTime': '05 13, 2013'},
{'reviewerID': 'A2983OP6MDZ1M1',
'asin': 'B000H422VY',
'reviewerName': 'C. Mathieu "waldenpond88"',
'helpful': [2, 2],
'reviewText': '"Bonanza" was extremely popular on German TV. Unfortunately it was aired every Sunday at 5 p.m. when my parents took me to the mountains to visit my grandmother.Each time I urged them to drive back home half an hour earlier, but for years I missed the first half hour of "Bonanza" :(. Now I finally get a chance to see my favorite episodes in full length."Laramie" and "A Man called Shenandoah" were wonderful, too! Fortunately "Laramie" was shown on Saturday afternoon and "Shenandoah" on Tuesday early in the evening.The best of them all however was "Yancy Derringer" which was aired on Wedneadays. This was in 1967.I also enjoyed "Checkmate", although I preferred "Honey West" and "Bourbon Street". Then there was "M Squad" which was almost as good as "The Detectives" (Robert Taylor) and I never missed an episode. At school everybody talked about "M Squad" and "The Detectives" on the next day. I think there is a large Baby Boomer potential for selling/releasing more of these classic TV series.Many of those who loved the "Lassie", "Flipper", "Fury" and "Gentle Ben" TV series in their childhood also liked "Kentucky Jones" (Dennis Weaver) and "The Farmer\'s Daughter" (Inger Stevens). I wish these two wonderful old TV series and many others like "A Man called Shenandoah" (Robert Horton), "Hank" (Dick Kallman), "He and She" (Paula Prentiss), "The Magic Boomerang", "The Greatest Show on Earth" (Jack Palance) would finally be released on DVD.',
'overall': 5.0,
'summary': 'One of my favorite Western TV Series',
'unixReviewTime': 1323820800,
'reviewTime': '12 14, 2011'},
{'reviewerID': 'A35TYXJR2U07CE',
'asin': 'B000H422VY',
'reviewerName': 'Daey',
'helpful': [0, 0],
'reviewText': "I didn't get to see very many episodes of Bonanza while growing up. So it is great to be able to watch it from the beginning. The beginning in this case seems to start in season 1 at episode 19 as I recall. I've watched 6 episodes so far and will keep on watching. The quality of the picture is super on my plasma, guess I expected an old show would look like an old grainy VCR tape, but that's not the case. Did I mention no commercials! just keep on watching!",
'overall': 5.0,
'summary': 'Great to see again.',
'unixReviewTime': 1377561600,
'reviewTime': '08 27, 2013'},
{'reviewerID': 'A29CKVRX56QLP5',
'asin': 'B000H422VY',
'reviewerName': 'Dallas Jimenez',
'helpful': [3, 3],
'reviewText': "My husband LOVES Bonanza and I searched everywhere for these CD's for him for Christmas. Y'all had exactly what I needed and at a fabulous price. And you had it to me quick! Thanks so much!",
'overall': 5.0,
'summary': 'FANTASTIC!',
'unixReviewTime': 1392508800,
'reviewTime': '02 16, 2014'},
{'reviewerID': 'A3GS7XVYAK31QT',
'asin': 'B000H422VY',
'reviewerName': 'David Heeren',
'helpful': [2, 3],
'reviewText': 'I became dissatisfied with TV fifteen or twenty years ago when prime-time viewing began featuring unfunny sitcoms, unreal reality shows and melodramatic dramas. At about that time they started producing DVDs of old shows, so I decided to collect the best of them to watch anytime I please.Unsurprisingly, the best of the best include all three Michael Landon shows in the top ten. Bonanza makes the list at No. 5, making it the greatest of the many western shows that have been featured on TV.Landon’s Bonanza character, Joe Cartwright, blends perfectly with the upright character of his father Ben Cartwright (Lorne Greene), his quirky brother Hoss (Dan Blocker) and his serious brother Adam (Pernell Roberts).Roberts left the show after the sixth season, but it did not turn out to be a show-terminating setback because Roberts’ character was so much like Greene’s. The three remaining Cartwrights carried on as if Adam weren’t missed.Bonanza’s stories were fitted to the drama and romance of the old west, full of humor and conflict. The Cartwright’s characterizations were brilliant as were those of the many Hollywood stars who paraded across the credit lines of Bonanza shows for fourteen seasons.Here are the ten shows I watch most often in a delightful fare of prime-time DVD viewing: 1. Little House on the Prairie; 2. Touched by an Angel; 3. The Closer; 4. Lois & Clark: The New Adventures of Superman; 5. Bonanza; 6. Hawaii Five-0 (the original show with Jack Lord); 7. The Dick Van Dyke Show; 8. Highway to Heaven; 9. Wings; 10. Jackie Gleason’s Honeymooners. This list features at least one show from every era of TV.',
'overall': 5.0,
'summary': "TV's Real Bonanza",
'unixReviewTime': 1384905600,
'reviewTime': '11 20, 2013'},
{'reviewerID': 'ASQGNAGITI7UV',
'asin': 'B000H422VY',
'reviewerName': 'David Perry',
'helpful': [2, 2],
'reviewText': "My wife and I are both in our fifties and watched some to many of the episodes, though we are both also 'Army brats' so we lived overseas when many of these originally aired (in the late '50s to mid-60s), so it's a hoot to watch!They look even better than we remember -- don't know if they've been re-mastered and/or colorized. And it's still fun to discover how each episode had a 'moral to the story' or a life-lesson to be learned.Perhaps we need to introduce to grandchildren/kids in the 6-14 yr old range . . . ?",
'overall': 5.0,
'summary': "If you grew up w/ Bonanza, you'll enjoy!",
'unixReviewTime': 1393632000,
'reviewTime': '03 1, 2014'},
{'reviewerID': 'A30NXBU3CDNDFR',
'asin': 'B000H422VY',
'reviewerName': 'Debby Smith',
'helpful': [2, 2],
'reviewText': 'I highly recommend all of the "complete" seasons they are the only ones that contain all of the episodes, hours of great entertainment.',
'overall': 5.0,
'summary': 'A must have!',
'unixReviewTime': 1391817600,
'reviewTime': '02 8, 2014'},
{'reviewerID': 'ALRA7DEY3FFTI',
'asin': 'B000H422VY',
'reviewerName': 'Deborah',
'helpful': [3, 3],
'reviewText': "Finally, the complete first season of Bonanza is available in the U.S. Both the picture and sound quality are excellent, and I am particularly pleased with the vivid color. The extra material includes a large number of still photographs, many of which I hadn't seen before. For me the only negative is the packaging, but that is just my personal preference.Bonanza: The Official First Season, Vol 1 & 2",
'overall': 5.0,
'summary': 'The Cartwrights Ride Again',
'unixReviewTime': 1253491200,
'reviewTime': '09 21, 2009'},
{'reviewerID': 'A1XDXIBELV5CR5',
'asin': 'B000H422VY',
'reviewerName': 'Denise Myatt "traveler"',
'helpful': [6, 6],
'reviewText': 'This release is splendid. The added material gives dimension to the original series. It is such a pleasure to see the entire episode and in excellent quality.Hopefully, all seasons will be released.I recommend this to any fan of western TV or movies',
'overall': 5.0,
'summary': 'Bonanza DVD-official release version',
'unixReviewTime': 1255996800,
'reviewTime': '10 20, 2009'},
{'reviewerID': 'A25GCCRF1X85W',
'asin': 'B000H422VY',
'reviewerName': 'Dino',
'helpful': [0, 4],
'reviewText': 'Esta nueva edicion tiene evidentemente grandes meritos: capitulos ordenados cronologicamente-incluido el primero- y una gran calidad de imagen y sonido. Todo esto se ve perjudicado sensiblemente por la total ausencia de subtitulos,inclusive en Ingles. Vivo en Europa y he comprado este volumen pensado en el anunciado Closed Caption . Desafortunadamente esta aplicacion solo existe en USA. Nos quedaremos a la espera de un nuevo lanzamiento con subtitulos en Ingles,Frances e Italiano.',
'overall': 4.0,
'summary': 'Excelente edicion con reservas',
'unixReviewTime': 1351382400,
'reviewTime': '10 28, 2012'},
{'reviewerID': 'A2YI8UJFBMUUL',
'asin': 'B000H422VY',
'reviewerName': 'Doc Savage "Don"',
'helpful': [6, 6],
'reviewText': 'I have one other DVD set of Bonanza episodes which had early episodes of this popular TV western, and claimed to be the first "official" season of the series. HOWEVER, this MUST BE the OFFICIAL original volumes and the DVD quality is great! I grew up on Bonanza, and so for over 45 years I think I\'ve seen many episodes, and reproductions of episodes of this classic TV series. Plus the very first episode I believe has them singing their theme song, which only appeared once. (Many people didn\'t realize that there were words to the original theme song) There is also a story of the map that appears at the beginning of the show, and how that came about appears in the Special Features. So if your a Classic TV western fan this would have to be a "must have" purchase for your collection!',
'overall': 5.0,
'summary': 'Bonanza...a Classic!',
'unixReviewTime': 1268784000,
'reviewTime': '03 17, 2010'},
{'reviewerID': 'APS0UX3R37OQX',
'asin': 'B000H422VY',
'reviewerName': 'Donna A',
'helpful': [14, 20],
'reviewText': 'Bonanza 14 seasons on DVD! Well at least we are able to sign up but like another reviewer said,"Pick up the pace and give us, the fans what we\'ve been so long in waiting for. A box set with the Pondarosa map on the cover would be nice as well as single season boxes. Added bloopers would be great test screening of the actors trying out for thier parts in the show would be good also. There is so much that they could do with a package like this. I say for myself and other fans that we are just tired of the same episodes on differant DVD cases. Bonanza: Season 3Bonanza: Season 4Bonanza: Season 5',
'overall': 5.0,
'summary': 'Bonanza on DVD Come out Already.',
'unixReviewTime': 1236124800,
'reviewTime': '03 4, 2009'},
{'reviewerID': 'A5JYME2GKFZ6G',
'asin': 'B000H422VY',
'reviewerName': "Ecclesiastes' Daughter",
'helpful': [3, 3],
'reviewText': "I bought this set as a gift for my husband. WE LOVE IT - my 4 month old daughter included! The product was as described and exactly what we wanted - the whole first season. Everything is well organized, and there are a few extras included on most of the discs, which are fun too. I'm glad they finally put these on DVD in a set! We've already purchased the 2nd season as well. :-)",
'overall': 5.0,
'summary': 'Is it Adam or Little Joe my 4 month old loves?',
'unixReviewTime': 1322006400,
'reviewTime': '11 23, 2011'},
{'reviewerID': 'AJ2VNQKB59TE3',
'asin': 'B000H422VY',
'reviewerName': 'Edmary',
'helpful': [0, 0],
'reviewText': 'I loved. Is great, have a lot of episodes. And all the episodes have a great resolution. Is awesome better than the tv series. Fast shippment....',
'overall': 5.0,
'summary': 'great!',
'unixReviewTime': 1365206400,
'reviewTime': '04 6, 2013'},
{'reviewerID': 'A10SI4E7JUEES5',
'asin': 'B000H422VY',
'reviewerName': 'Edna Henderson "grimesgirl"',
'helpful': [7, 7],
'reviewText': 'I would highly recommend this release to any Bonanza fan. The quality of the DVDs is excellent. At the end of each episode there are many photos that have not been published before. Other extras add to the appeal of the DVD. Hopefully people who have only seen the shows on TV will purchase these DVDs as they are uncut and contain scenes not ever seen by some viewers.',
'overall': 5.0,
'summary': 'Excellent quality',
'unixReviewTime': 1253232000,
'reviewTime': '09 18, 2009'},
{'reviewerID': 'AQQSN72G1I1B6',
'asin': 'B000H422VY',
'reviewerName': 'Elizabeth R. Boykin',
'helpful': [1, 1],
'reviewText': "What fun it is to visit the Cartwright's again after 50+ years. What a wake-up call! It seems only yesterday that we were hurrying home after church on Sunday nights to watch Bonanza in "Living Color". These DVD's are very well done and the color much sharper than we originally saw it - we don't have to watch it through "snow" and interference. Remember those days before high definition?",
'overall': 5.0,
'summary': 'Bonanza',
'unixReviewTime': 1390953600,
'reviewTime': '01 29, 2014'},
{'reviewerID': 'AIKGPO3AQW1NK',
'asin': 'B000H422VY',
'reviewerName': 'Elnora D. Marshall',
'helpful': [1, 2],
'reviewText': 'BONANZA IS ONE OF THE BEST CLASSIC MOVIES OF ALL TIMES AND THE QUALITY OF THE PICTURE IS GREAT LOVE ITMS.ELNORA M....S.C.',
'overall': 5.0,
'summary': 'EXCELLENT',
'unixReviewTime': 1358294400,
'reviewTime': '01 16, 2013'},
{'reviewerID': 'AQTODLCUSS4JL',
'asin': 'B000H422VY',
'reviewerName': 'FootballMom',
'helpful': [5, 5],
'reviewText': 'Wow. What a great dvd set. I had originally ordered "The Official Complete Series" from another website on the internet and what I received was crap made in and shipped from China. I was furious, most of the dvd\'s did not work, they were illegally copied from satellite tv and horrible quality. Needless to say, they went in the garbage and I reported the website to the FBI. During my Bonanza search I remembered seeing season one on Amazon and came back to order. There is no comparison to the crap being stolen and shipped in from China. The quality of these dvd\'s is amazing. The quality is so good that when watching them on my hdtv, it is as if I am actually on the set with Ben and the boys. My husband and I blew past the first season and I have just ordered season two, volume one. I am praying that we will eventually be able to buy all 14 seasons. The episodes take me back to when I was a little girl in love with Little Joe, Hoss and Adam. And the bonus material is awesome! These dvd\'s far exceeded my expectations. Well, that\'s all for now, I\'m headed back out to the Ponderosa!',
'overall': 5.0,
'summary': 'Happy on the Ponderosa',
'unixReviewTime': 1305417600,
'reviewTime': '05 15, 2011'},
{'reviewerID': 'A1QUUE7NJJ2WNO',
'asin': 'B000H422VY',
'reviewerName': 'Fran',
'helpful': [2, 2],
'reviewText': 'I really loved this product. It came in good time and was in excellent condition. I love watchin old shows and this is one of the best. Hope to see all the rest of the seasons come out soon too!',
'overall': 5.0,
'summary': 'Bonanza',
'unixReviewTime': 1293667200,
'reviewTime': '12 30, 2010'},
{'reviewerID': 'AV1EKDVLTRMIB',
'asin': 'B000H422VY',
'reviewerName': 'fruity gal',
'helpful': [0, 0],
'reviewText': 'Good moral values are a part of each episode. A loving, caring family wrestle with making the right decisions not just for themselves, but for those around them and in the town.Even though there is killing from time to time, it is not grandiose or bloody, or glorified as "cool".Doing the right thing and standing up for justice are important themes in this great old western.',
'overall': 5.0,
'summary': 'Good wholesome family entertainment!',
'unixReviewTime': 1363824000,
'reviewTime': '03 21, 2013'},
{'reviewerID': 'A6TOOM7PNUQ8',
'asin': 'B000H422VY',
'reviewerName': 'Gary',
'helpful': [1, 2],
'reviewText': 'Would have been a 5 if all programs for the season were available. Editing was done well, color was stable, sound was set perfectly throughout each program.',
'overall': 4.0,
'summary': 'Bonanza Season 1',
'unixReviewTime': 1388880000,
'reviewTime': '01 5, 2014'},
{'reviewerID': 'A391VTDTFIM6X3',
'asin': 'B000H422VY',
'reviewerName': 'George R. Johnson "Randy Johnson"',
'helpful': [0, 0],
'reviewText': "A favorite show when I was young. Yes, I'm that old. Around for the very beginning.Satisfying set. The Adam years were the best.",
'overall': 5.0,
'summary': 'Old Friends',
'unixReviewTime': 1405123200,
'reviewTime': '07 12, 2014'},
{'reviewerID': 'A1MZ227AHMGGU8',
'asin': 'B000H422VY',
'reviewerName': 'GERTY "GERTY"',
'helpful': [2, 3],
'reviewText': "Wish they would just come out with all of them. We'll be dead by the time their all released.I am loving what is out there now tho.",
'overall': 5.0,
'summary': 'great',
'unixReviewTime': 1318636800,
'reviewTime': '10 15, 2011'},
{'reviewerID': 'AAP67UVV2T3LN',
'asin': 'B000H422VY',
'reviewerName': 'G. Townsend',
'helpful': [0, 0],
'reviewText': 'Bonanza is one those old-time family westerns that is always enjoyable to go back to. It was also good to see venerable actors like Claude Akins again. One never tires of these tried-and-true shows!!',
'overall': 3.0,
'summary': 'Very Satisfying',
'unixReviewTime': 1401321600,
'reviewTime': '05 29, 2014'},
{'reviewerID': 'A3EUKYMO14DR93',
'asin': 'B000H422VY',
'reviewerName': 'HABS',
'helpful': [9, 10],
'reviewText': 'Why it takes so long for Paramount to release the other seasons, it was 6 month ago that Season ONE was released, and Bonanza has 14 seasons, it is totally unreasonnable that the other seasons are not release already, have one season to be released each month, it will still take another 13 months to have all seasons, for those who complain that the price is to steep well what we have here is a content of 26 hours of programming, lots of people will pay about half of that amount to watch a 2 hour film, this series is my all time favorite western, this DVD set is perfect in any way, everything is complete, original music, great color picture, some extra`s, nothing is wrong with it, I just hope the other seasons will be release very rapidly.',
'overall': 5.0,
'summary': 'Why it takes so long.....',
'unixReviewTime': 1268006400,
'reviewTime': '03 8, 2010'},
{'reviewerID': 'ARLFA201I5BZS',
'asin': 'B000H422VY',
'reviewerName': 'H.a.m.',
'helpful': [1, 1],
'reviewText': 'Love these. I have some Bonanza episodes that are sporadic in collections. This is all of the first season..Exciting...... and the pilot. Quality is good. Color is a little dark but workable. In comparison to any sets I have watched this is the best!!! I give it a 5 for the fact I have waited years for these to come out at a decent price. And, the quality is pretty good.',
'overall': 5.0,
'summary': 'Lifelong Bonanza Fan',
'unixReviewTime': 1353283200,
'reviewTime': '11 19, 2012'},
{'reviewerID': 'AKFPWJV3FF6V1',
'asin': 'B000H422VY',
'reviewerName': 'Harold47 "Harold"',
'helpful': [5, 5],
'reviewText': 'I was 11 years old when Bonanza first aired. I watched every chance I had through my teens and early adult life. Since then I have tried to catch reruns whenever possible. I resisted buying those "Fan Favorites" offers because I knew what would happen. Maybe (or not) I would finally get that one episode that I liked best, but I would also get at least 3 duplicate copies of other episodes that I consider a little less than great.Now I can get all 14 seasons with just one copy of each episode and be able to play my favorites when I want to see them. No more tuning in a rerun HOPING it is one of my favorites. I have watched about half of season 1 so far and am almost completely satisfied. Yes, I said almost.It irritates me when I slip in a DVD of one of my favorite TV shows and there is no option to "play all." I\'m settling back for a few hours of my favorite show, and I can\'t just say play all the episodes on this disk. I have to select the second episode after the first one is finished, then select the third, etc. It\'s not that selecting another episode is such hard work for me or my thumb, it is just sloppy programming. I worked with computers and did some programming, so I know it is not hard work to place such an option on the menu. I hope that will be corrected with season 2.And please do not release half the seasons and then just quit on your customers. I have 4 seasons of another one of my favorite shows, and now have been waitng 2 years for the last 5 seasons. Don\'t do this to me again, Paramount!',
'overall': 4.0,
'summary': 'A Dream Come True',
'unixReviewTime': 1254528000,
'reviewTime': '10 3, 2009'},
{'reviewerID': 'A2FY6WWIAG1WE5',
'asin': 'B000H422VY',
'reviewerName': 'Ja-ja',
'helpful': [10, 10],
'reviewText': "I've held off buying any Bonanza episodes for years, waiting until they got it right--picture, sound, music, and other aspects pertaining to remastering. As far as I can tell, this is what we've all been waiting for. And yes, the scoring is the original music. Although the packaging does seem substantial, I do wish it was not designed so that a disc often has to be removed in order to read some episode descriptions. However, we rarely get everything we want, and the all important content is superb! I can hardly wait for the offering of season 2!",
'overall': 5.0,
'summary': 'Bonanza Has Never Been Better',
'unixReviewTime': 1259193600,
'reviewTime': '11 26, 2009'},
{'reviewerID': 'A2SCNL7OJIHM6Q',
'asin': 'B000H422VY',
'reviewerName': 'J. Alston',
'helpful': [2, 2],
'reviewText': "Quality job on these DVDs and excellent packaging, please speed up the process with future releases!I have been waiting for this show to come out on DVD for years. It first came on network television one year before I was born, therefore most of the seasons I remember were 8 - 14. I bought both volumes of season 1 and am anticipating volume 1 of season 2's arrival today. I hope they release volume 2 soon. If they (Paramount)are only going to release one or 1/2 season a year, it will take 14-28 years to have all these on DVD! Please, Paramount, let's go with at least 2 full season releases each year!",
'overall': 5.0,
'summary': 'Great series - Seasons need to be released more often',
'unixReviewTime': 1291680000,
'reviewTime': '12 7, 2010'},
{'reviewerID': 'AADCQ0C9ZLXSB',
'asin': 'B000H422VY',
'reviewerName': 'JAMES A MITCHELL',
'helpful': [0, 0],
'reviewText': 'One of the greatest western series on tv.This was one of the best tv westerns that was on tv when I was a kid.',
'overall': 5.0,
'summary': 'great show',
'unixReviewTime': 1378252800,
'reviewTime': '09 4, 2013'},
{'reviewerID': 'A3SI0EW3O2JACK',
'asin': 'B000H422VY',
'reviewerName': 'James Bond "Bond"',
'helpful': [0, 0],
'reviewText': 'I used to watch Bonanza when it was on TV. Brings back memories of the good old days when life seemed less complex.It was great to see that Amazon had it on instant play. You guys rock!The story starts off in the typical peaceful setting of the Ponderosa ranch and then quickly gets you engaged in some brotherly fighting. From there the action develops fairly quick. Little Joe is seduced by the pretty "spider" and falls into the bad guys trap, he\'s so gullible. What more could a fan of westerns ask? It\'s got action, adventure, romance, and the scenery is awesome! So just watch it and enjoy.',
'overall': 4.0,
'summary': 'Bonanza rides again',
'unixReviewTime': 1298851200,
'reviewTime': '02 28, 2011'},
{'reviewerID': 'A38F6CZIBRDZZ6',
'asin': 'B000H422VY',
'reviewerName': 'Janice R.',
'helpful': [0, 0],
'reviewText': 'Excellent video and audio compared to local broadcasts. Have always enjoyed western shows and wish that you also had "Gunsmoke" available like bonanza.',
'overall': 5.0,
'summary': 'wester with action and humor',
'unixReviewTime': 1363219200,
'reviewTime': '03 14, 2013'},
{'reviewerID': 'A2IY88BPOBYJH4',
'asin': 'B000H422VY',
'reviewerName': 'Jared Gallaspy',
'helpful': [0, 0],
'reviewText': "I ordered this as a Father's Day present for my father because he is a big Bonanza fan, and he loves it.",
'overall': 4.0,
'summary': 'Extremely Satisfied.',
'unixReviewTime': 1384214400,
'reviewTime': '11 12, 2013'},
{'reviewerID': 'A1RBKY1FQZWNYO',
'asin': 'B000H422VY',
'reviewerName': 'Jeanette G. Halford "Adam Afficionado"',
'helpful': [10, 10],
'reviewText': '...well, to my home anyway! And it is about time.I love Bonanza and the quality of these DVDs make me more than glad that I bought them. To finally have these shows available at my command is a dream come true. The quality is fantastic; the episodes are so much better than any Bonanza shown on t.v., youtube, etc. The handsome Cartwrights in living color! Whether you prefer mysteriously handsome Adam, devilishly cute Little Joe, sweetly lovable Hoss, or strongly distinguished Ben you want to see them as clearly as possible! The only way to do that is on these dvds.Granted there are not a lot of your usual special features, but the photo galleries make up for that. And the features that are there are well worth watching.If you even want to call yourself a Bonanza fan, you have no excuse for not buying these DVDs. None! Now come on, order...you know you want to.',
'overall': 5.0,
'summary': 'Finally! The Cartwrights Come Home...',
'unixReviewTime': 1255132800,
'reviewTime': '10 10, 2009'},
{'reviewerID': 'A1EEKQ90M9SJ6R',
'asin': 'B000H422VY',
'reviewerName': 'Jeannette',
'helpful': [0, 0],
'reviewText': "picture quality is very good and sound and brings me back many years. If you like the good ol' oldies this is for you",
'overall': 5.0,
'summary': 'bonanza is a great show reminding me of younger years',
'unixReviewTime': 1375228800,
'reviewTime': '07 31, 2013'},
{'reviewerID': 'A2UR882BL0S8N1',
'asin': 'B000H422VY',
'reviewerName': 'Jim Worrell',
'helpful': [0, 0],
'reviewText': 'It brings me back to the good old days where westerns were good and the good guy won most of the time!!',
'overall': 5.0,
'summary': 'Love it',
'unixReviewTime': 1367539200,
'reviewTime': '05 3, 2013'},
{'reviewerID': 'AIWAQRF1PREVE',
'asin': 'B000H422VY',
'reviewerName': 'Joan Roach',
'helpful': [1, 1],
'reviewText': 'The picture and sound are very clear, and these are some of the best westerns of all times in my opinion. I would recommend this to anyone who loves westerns as much as I do. I love the old family westerns.',
'overall': 5.0,
'summary': 'Joan Roach',
'unixReviewTime': 1403481600,
'reviewTime': '06 23, 2014'},
{'reviewerID': 'A3PPAT0QMP10XR',
'asin': 'B000H422VY',
'reviewerName': 'John Cavanaugh "Area Man"',
'helpful': [1, 4],
'reviewText': "After having seen Bonanza on and off on TV and from DVD purchases from Amazon of later seasons, I was shocked to hear Ben Cartwright tell his cook to kill an innocent man if they did not return from town in the morning. Except for Little Joe they were a bunch of bullies. I realize they had no established characters to work with when acting out the writing that had little idea ( except for LJ and H )what kind of characters they would be writing for in future shows. They gathered a hundred men and killed 12 townsmen protecting their trees. A later Ben would have found a way to compromise. I can't wait to see the next few episodes to watch their development.",
'overall': 5.0,
'summary': 'Only making comment on first episode of first season',
'unixReviewTime': 1385078400,
'reviewTime': '11 22, 2013'},
{'reviewerID': 'A1TPXV7M2TWW62',
'asin': 'B000H422VY',
'reviewerName': 'JOSE MARIA LLORENTE',
'helpful': [0, 0],
'reviewText': 'BONANZA. SEASON 1-50 th ANNIVERSARY EDITION....The first season of a mythical series that had 14 seasons in antenna,me the comence to see the seasons already advanced or that this first I did not have knowledge up to epochs recent well in reins tatements of tv or videos,this first complete season is a marvel to return to the beginning of BONANZA,a jewel.',
'overall': 5.0,
'summary': 'BONANZA. SEASON 1-50 th ANNIVERSARY EDITION... ...',
'unixReviewTime': 1405036800,
'reviewTime': '07 11, 2014'},
{'reviewerID': 'A3QZ2FMKS5I40L',
'asin': 'B000H422VY',
'reviewerName': 'Joseph W. Szilagy "Joe Szilagy"',
'helpful': [4, 4],
'reviewText': 'Well, you\'ve probably seen Bonanza at some point in your life, and if you\'re reading these reviews to see if the visual and sound quality is good, well the answer is "yes, and then some!" If you\'re wondering if it\'s as good as you remember and you haven\'t seen it since you were a kid, I\'d say, read the last answer. In other words, you can\'t go wrong!All I\'m saying, is "buy it" and tell anyone you know who likes the series to do likewise, so we won\'t have to wait for CBS to take their sweet time releasing the other seasons, while they "test the waters" as it were, to see if it\'s selling, which is what I assume they do.',
'overall': 5.0,
'summary': 'The "Waiting Game" continues (sigh).....',
'unixReviewTime': 1280188800,
'reviewTime': '07 27, 2010'},
{'reviewerID': 'A1XK24SUT0CG38',
'asin': 'B000H422VY',
'reviewerName': 'jsergo',
'helpful': [0, 1],
'reviewText': 'The first season was a bit stiff. The writing was forced and it is amazing the actors could say some of those lines with a straight face. But for a show produced in 1959 it is still a joy to watch.',
'overall': 4.0,
'summary': 'Bonanza was wonderful',
'unixReviewTime': 1395964800,
'reviewTime': '03 28, 2014'},
{'reviewerID': 'ALOJUC5UM8EXO',
'asin': 'B000H422VY',
'reviewerName': 'Karen Weilbacher "Baboo"',
'helpful': [6, 6],
'reviewText': "It's just wonderful that finally Bonanza's First complete season was released. I enjoy this series so much. My Children and grandchildren love it too!! I hope all the rest of the complete seasons are released soon like they were in Germany. Germany Amazon you can buy all the complete seasons but you need a region 2 dvd player. If Paramount does'nt released the rest of the Bonanza seasons in a timely manner that is an option to think about. I know there is a great demand for it here in the United States so I hope Paramount does the right thing. Such a great show with good adventure, comedy and some tear-jerkers. Hurry up and release the next season...Thanks Karen",
'overall': 5.0,
'summary': 'At Long Last!!!',
'unixReviewTime': 1261180800,
'reviewTime': '12 19, 2009'},
{'reviewerID': 'A2AX9SMJM1VU3W',
'asin': 'B000H422VY',
'reviewerName': 'Kaylee Ranger',
'helpful': [11, 11],
'reviewText': "The first volume has the lion's share of the special features, and the second volume has the lion's share of the excellent episodes. I advise anyone to buy this two volume set rather than settling for one or the other.The picture, sound, music--all of that is excellent. The menus are easy to navigate, and the photo galleries and interviews are interesting and informative.I found the first half of season 1 to be a bit uneven, but the second half makes up for it with excellent stories and guest stars, and was enough to make me think seriously about purchasing season 2 when it appears.I don't like seeing classic shows with 2-volume seasons released--but we're talking about 8 discs here, loaded with goodies, and 32 fifty-minute episodes of an iconic American television show. It's well worth the money.",
'overall': 5.0,
'summary': 'Excellent value and entertainment',
'unixReviewTime': 1256774400,
'reviewTime': '10 29, 2009'},
{'reviewerID': 'A2IEUESZEFV25H',
'asin': 'B000H422VY',
'reviewerName': 'K. Becote-Jones',
'helpful': [1, 1],
'reviewText': 'He loved it! Great clarity. These are complete and entire episodes!!! Best of all no commercials! Definitely worth the money!',
'overall': 5.0,
'summary': 'it was a gift',
'unixReviewTime': 1379116800,
'reviewTime': '09 14, 2013'},
{'reviewerID': 'A3PV3FX3AMPKLD',
'asin': 'B000H422VY',
'reviewerName': 'kellyr',
'helpful': [2, 2],
'reviewText': "They don't make 'em like this any more. I'm looking forward to the rest of this series being released on DVD.",
'overall': 5.0,
'summary': 'Season 1 Bonanza is great',
'unixReviewTime': 1295222400,
'reviewTime': '01 17, 2011'},
{'reviewerID': 'A36AXFVN5SGRP1',
'asin': 'B000H422VY',
'reviewerName': 'Ken Badgett',
'helpful': [2, 2],
'reviewText': 'The set is very nice. I gave the DVDs as a gift, so I very much liked the packaging and its appearance.',
'overall': 5.0,
'summary': 'Great purchase!',
'unixReviewTime': 1394582400,
'reviewTime': '03 12, 2014'},
{'reviewerID': 'A3J8JYZ78VD0OD',
'asin': 'B000H422VY',
'reviewerName': 'Kim Stanton',
'helpful': [2, 2],
'reviewText': 'Bonanza is a great show. I received the package very quickly and it was in great shape when it arrived. I enjoy watching this show and love owning the first season. I would love to be able to buy many more seasons if they ever become available!',
'overall': 5.0,
'summary': 'Bonanza',
'unixReviewTime': 1264982400,
'reviewTime': '02 1, 2010'},
{'reviewerID': 'A3RGI8LPBDOE89',
'asin': 'B000H422VY',
'reviewerName': 'Kristina Overtoom',
'helpful': [0, 1],
'reviewText': "I grew up watching a lot of TV and Bonanza was one of them, though it was mainly as a syndicated show. There is a good mixture of humor and tension in this drama. It can be heavy-handed at times with its moralizing, with Lorne Green and Pernell Roberts as the "heavies" and Dan Blocker and Michael Landon to lighten the mood. Okay, let's be honest, Michael Landon was also the "chick magnet." Hoss is essential to the show as the comic relief. Sometimes the endings of the shows seem rushed or contrived, as if the writers suddenly realized that they have used 48 of their 50 minutes and need to wrap it up quickly. All in all, we enjoy the shows and I enjoy being able to watch a show where the sexual content is limited to brief kisses and there are no language issues.",
'overall': 4.0,
'summary': 'Nostalgia for me, entertaining for my tween kids',
'unixReviewTime': 1368489600,
'reviewTime': '05 14, 2013'},
{'reviewerID': 'A1XTORT6PXVGGM',
'asin': 'B000H422VY',
'reviewerName': 'Kristine',
'helpful': [0, 0],
'reviewText': 'Bonanza is classic tv for any household--it is our show of choice when someone in the house is sick. Good quality CDs and fun episodes. It brings back memories of watching on television as kids.',
'overall': 5.0,
'summary': 'great shows',
'unixReviewTime': 1374624000,
'reviewTime': '07 24, 2013'},
{'reviewerID': 'A20FB6XAYF778T',
'asin': 'B000H422VY',
'reviewerName': 'Kyrila K. Scully "Titanic Impact"',
'helpful': [3, 4],
'reviewText': 'I was five years old when Bonanza first came on the air back in 1959 and as far as I can remember, our family never missed an episode the entire 14 years it was on TV. Now that Pernell Roberts and David Dortort have recently passed away, we have lost all of the Cartwrights and their creator. So it is wonderful to finally have in my hands the OFFICIAL first season of Bonanza, Volumes 1 & 2. Unfortunately, legalities prevent the entire 14 seasons from being officially released in the US (although you can pick them up in Germany!) Other than that, you can search for "Best of" releases, but the music we all know and love--the anthem of the Ponderosa--won\'t be on those discs because of copyright infringements. And the quality of the picture won\'t be there either--they will seem like bootleg copies---probably because they pretty much are! They are copied ad nauseum from public domain copies and you\'ll get grainy pictures--but not with THIS DVD collection! No, the Theme Music is there and the sound is crisp and sharp! The production values are perfect and the picture you\'ll see is also sharp as if it were the first time you ever saw the show!I was misled by those who bought it before I did, that the set included certain television specials commemorating Michael Landon, but no---the extras are merely video tapes of David Dortort reminiscing about the actors and the show in general. They are still interesting, but very brief clips.Nevertheless, if you are a die-hard Bonanza fan, you will love the Official Bonanza DVD set. All I can say is Hurry up and release the rest of the 14 seasons before we\'re too old and on fixed incomes!!!',
'overall': 4.0,
'summary': 'Hurry up with the rest of the seasons!',
'unixReviewTime': 1291939200,
'reviewTime': '12 10, 2010'},
{'reviewerID': 'A3QQ7W16T959HN',
'asin': 'B000H422VY',
'reviewerName': 'L. Blaylock',
'helpful': [0, 0],
'reviewText': 'I grew up watching westerns like Bonanza. One of the best TV Westerns ever, Thanks for making this available on Amazon.',
'overall': 5.0,
'summary': 'Love this show! Brings back lots of good memories.',
'unixReviewTime': 1369612800,
'reviewTime': '05 27, 2013'},
{'reviewerID': 'A3G9QYFX6SUH66',
'asin': 'B000H422VY',
'reviewerName': 'lijebeck',
'helpful': [13, 14],
'reviewText': 'After years of waiting and wondering if it ever would happen, Bonanza fans can rejoice! The first full set of uncut episodes from the original series with the original music has been released and it is terrific! Included are some enticing extras such as behind the scenes photos, original NBC peacock logo and bumpers, promos for the show, interviews with people associated with the series and the infamous clip of the Cartwrights actually singing (well, sort of) the words from the theme. For those of us who are true fans, however, just having the episodes uncut as they were meant to be is more than enough.The only thing that could top this would be for the powers that be to continue to release additional seasons on a regular basis (quickly!) of the same high quality until diehard fans are able to own the entire 14 seasons of this classic family western. We have waited far too long already!',
'overall': 5.0,
'summary': 'Finally! The Cartwrights Are Back!',
'unixReviewTime': 1255478400,
'reviewTime': '10 14, 2009'},
{'reviewerID': 'A2FQ3MNZOHM5SA',
'asin': 'B000H422VY',
'reviewerName': 'llmh',
'helpful': [0, 0],
'reviewText': "Where are the early episodes? You really don't have season1. The best and first episodes are not available. What gives?",
'overall': 5.0,
'summary': 'incomplete.',
'unixReviewTime': 1395878400,
'reviewTime': '03 27, 2014'},
{'reviewerID': 'A1DD5YSYMOCAUS',
'asin': 'B000H422VY',
'reviewerName': 'Lou Cole "Lou Cole"',
'helpful': [3, 3],
'reviewText': 'Finally, the complete first season of "Bonanza" with the original music from the show.I don\'t know how it is in the other states in teh U.S., but in New York City, the first half of the episodes (Volume 1) were never shown in syndication for some reason.I was also too young to have seen them on NBC when they first aired in the 1959 season.In my opinion, if you like "bONANZA," you must see these episodes. These episodes explain where teh title of the show came from.I remember as a kid scratching my head wondering "What does Bonanza mean?\' A friend of mine looked it up in the dictionary and told me. I was still left scratching my head wondering, "So what does taht have to do with the TV show?"It wasn\'t until many years later that I found out. If you do not yet know, now you can find out from the first few episodes of the first season (in Volume 1). You get two seperate volumes in the set.Special Features include interviews with the shows creator and writer David Dortort.The alternate ending to the "Bonanza" TV pilot in which the Cartrights sing the lyrics to the "bONANZA" THEME is also included in the Special Features.It also includes a black and white theatrical short done by David Dortort based on an historical character from Navada, Bill Stewart, first lawyer/prosecutor of Virginia City. Stewart later on becomes Nevada\'s first U.S. Senator. An actor also plays Bill Stewart in one of teh early "Bonanza" episodes.Again, if you like "Bonanza," you will like this DVD set.',
'overall': 5.0,
'summary': 'Whahoo! Bonanza!',
'unixReviewTime': 1272844800,
'reviewTime': '05 3, 2010'},
{'reviewerID': 'ASAQK095WOBQ1',
'asin': 'B000H422VY',
'reviewerName': 'love my yard',
'helpful': [6, 6],
'reviewText': 'brought this item as it seemed to be financially better than buying vol one and vol two separately. And loved the dvds. So much better than trying to find a tv station and watching the show butchered by ads. And for me, with a hearing loss, the closed captioning option (english) is fantastic! All the cheap knock-off dvds do not have this option and can often be difficult to understand. And the authorized dvds have the proper music that went with the original series. Not too technically minded, but the color seems great and the sound fine. And they included some nice behind the scenes photos and some of the original promos etc. All in all. I felt the price was worth the item. Of course, I now understand that the dvds were originally offered 1/2 season at a time, and that is why the vol 1 etc was sold separately. My thanks to the folks who purchased the singles and encouraged the makers to come out with season 1 vol 2 and finally season 2 vol 1.',
'overall': 5.0,
'summary': 'love closed captioning option and extras',
'unixReviewTime': 1296518400,
'reviewTime': '02 1, 2011'},
{'reviewerID': 'A3E1R51E2R6IMK',
'asin': 'B000H422VY',
'reviewerName': 'Mariah Warren "Celt at heart"',
'helpful': [3, 3],
'reviewText': "Purchased for my mom for Christmas- no guessing here, it was the new release DVDs she asked for. Nice seeing the pilot with the boys singing at the end. I'm sure I'll be ordering the next discs when they come out.",
'overall': 5.0,
'summary': 'The Cartwrights Live On!',
'unixReviewTime': 1265673600,
'reviewTime': '02 9, 2010'},
{'reviewerID': 'A20WQB8W2OO6V',
'asin': 'B000H422VY',
'reviewerName': 'Marsanik Lapp',
'helpful': [0, 0],
'reviewText': 'For around 110.00 at planet DVD store is the cheapest cut ones series 1-14 plus the 3 movies. German Amazon store costs a bit different (money conversion table online chart) and get them all or type into a search engine to see other companies. Great series but many alternatives, check around and surprise yourself! You can read more about the copies 1-14 series in a forum, some say that they have cut scenes and quality can vary, so these on amazon are uncut full scenes. I will buy USA but why is Germany getting a good made in the USA show before we get it? It is on TV land now in the afternoons playing so worst comes to worst you can buy this and tape them on your recorder every day M-F too! That would keep anyone mostly busy when they have to work a job too in this economy.',
'overall': 5.0,
'summary': 'bootleg 1-14 seasons cut scenes/Bonanza Economy Concious Planning?',
'unixReviewTime': 1290038400,
'reviewTime': '11 18, 2010'},
{'reviewerID': 'A1LCSBLT41LM8N',
'asin': 'B000H422VY',
'reviewerName': 'Martha Gilmore "Martha G."',
'helpful': [4, 4],
'reviewText': 'I am in love with Bonanza all over again!! The episodes are perfect and the extras are absolutely wonderful. So many pictures I have never seen before and the interviews with David Dortort are priceless. I have waited so long for these dvds and now they are here!! Just good to know it was worth every second of the wait; they are fabulous and I am already anxious for the next season.',
'overall': 5.0,
'summary': 'Bonanza, First Season, two volumes',
'unixReviewTime': 1253491200,
'reviewTime': '09 21, 2009'},
{'reviewerID': 'A16DJG5JJVRRXI',
'asin': 'B000H422VY',
'reviewerName': 'M. Hickman',
'helpful': [1, 2],
'reviewText': "the first 15 episodes aren't available which includes the very first Bonanza--I really hate that . I would love it if the beginning episodes would become available. It would definitely get a higher rating.",
'overall': 3.0,
'summary': 'Episodes are Missing',
'unixReviewTime': 1366675200,
'reviewTime': '04 23, 2013'},
{'reviewerID': 'AP2RKJWCF3DJH',
'asin': 'B000H422VY',
'reviewerName': 'M. Hobbs',
'helpful': [0, 1],
'reviewText': 'The only problem I had with it was that half of the season was unavailable so we had to start near the end which was annoying.',
'overall': 5.0,
'summary': 'Bonanza season one is great!',
'unixReviewTime': 1399507200,
'reviewTime': '05 8, 2014'},
{'reviewerID': 'A39OA14E3BA1Q9',
'asin': 'B000H422VY',
'reviewerName': 'M. Hughes "The Trout in the Milk"',
'helpful': [66, 68],
'reviewText': "To be completely honest, I already had the German DVDs of seasons 1-6, but I figure you just can't have too much Bonanza. I'm sorry it took so long but it's still worth the wait. The color is crystal, the picture gorgeous, the sound perfect, and the special features are terrific. I watched six episodes today and two yesterday and I bet I'll get another dozen knocked out before the weekend is over -- Bonanza never gets old. And having it on DVD with the original music, with special features, and in a format that means you don't have to plug up the region free player or watch some fuzzy public domain piece is just so special!I grew up during Bonanza's first run -- we are the same age. I was born in July '59; the series debuted in September of that year. I still remember sitting on the floor of our little apartment in Chicago eagerly watching and learning my moral code from Bonanza and shows like it. There are worse ways to grow up. This was a great show and though I have watched it many times since, it's either been in syndication with chunks cut for more commercials, or on fuzzy public domain DVDs with hollow sound and weird music. When I bought the German DVDs, even then I found an occasional odd piece cut. And figuring out the German menus and bringing up the English soundtrack is something I could figure out, but it is wonderful not to have to! I'm loving this boxed set and eagerly awaiting season 2. Don't let it be too long, TPTB!!!",
'overall': 5.0,
'summary': 'Worth the Wait!',
'unixReviewTime': 1253232000,
'reviewTime': '09 18, 2009'},
{'reviewerID': 'A2GA5KUJA4W24K',
'asin': 'B000H422VY',
'reviewerName': 'michelle gomillion',
'helpful': [0, 0],
'reviewText': "I love these old series. i wish there was more than just the one on the amazon prime though. although, my husband and i have watched this multiple times, we'll still put it on in the late evening for a relaxing way to fall asleep.",
'overall': 5.0,
'summary': 'Terrific',
'unixReviewTime': 1374192000,
'reviewTime': '07 19, 2013'},
{'reviewerID': 'A1CFYN8AZY7R0T',
'asin': 'B000H422VY',
'reviewerName': 'mom & grandma',
'helpful': [1, 1],
'reviewText': 'The video arrived very quickly. I enjoyed this show as a kid and now my children and grandchildren are watching.',
'overall': 5.0,
'summary': 'Love the Bonanza family!',
'unixReviewTime': 1337299200,
'reviewTime': '05 18, 2012'},
{'reviewerID': 'A3E58JYSKIYK2V',
'asin': 'B000H422VY',
'reviewerName': 'movienut',
'helpful': [1, 1],
'reviewText': "I have enjoyed watching this. And the great thing about it is that I can watch them when ever I want. I can't wait to buy the rest of the Seasons. I am so looking forward to having the complete collection. Thank you.",
'overall': 5.0,
'summary': 'Bonanza Fan',
'unixReviewTime': 1370390400,
'reviewTime': '06 5, 2013'},
{'reviewerID': 'A3KIGELQ8I25RF',
'asin': 'B000H422VY',
'reviewerName': 'Mr. Leslie Evans',
'helpful': [4, 4],
'reviewText': 'I first saw this series on a 15inch black and white tv set and sat transfixed with my younger brother as we viewed all the adventures that beset the residents of the Ponderosa. A neighbour even re-named his house after the series.Seeing the first season in glorious colour has brought back that cosy feeling and I will certainly be looking out for season 2 very soon.I must congratulate Amazon USA and the carriers for a speedy and efficient service in delivering safely to the UK.Les Evans. (Swansea, Wales, UK)',
'overall': 5.0,
'summary': 'Entertainment guaranteed!',
'unixReviewTime': 1307664000,
'reviewTime': '06 10, 2011'},
{'reviewerID': 'A2EEIDO6AN0IXG',
'asin': 'B000H422VY',
'reviewerName': 'Ms Tracy L. Taylor',
'helpful': [1, 1],
'reviewText': 'I\'m one of the fans who couldn\'t wait for the U.S. releases of Bonanza - I started collecting the German seasons years ago. I\'m now the proud owner of the U.S. releases, seasons one through five, and will continue to purchase the remaining nine seasons as they become available. Why buy the U.S. DVDs when I already own the others? The color is more vivid, the sound more crisp and alive, and while the extras are a treat for a Bonanza fan, they\'re also educational and just plain interesting. The photo gallery offers never before released photos, and the interviews and footage are spectacular to see.Yes, Bonanza was a fictional series, but many of the episodes touched on actual places, events, and people who made Virginia City and the Territory of Nevada / state of Nevada what it is today.For a show that was under production in the 50s, 60s, and early 70s, the topics covered were not always "safe". Mistreatment and misunderstanding of the Native Americans, the greed of many who sought their fortunes in the mines, the women who entertained in the saloons and the traveling shows, the need for safety in the mines. From swindlers to bigots to robbers to murderers, Bonanza\'s first season covered them all within the confines of acceptable network television of the era. These episodes gave us a glimpse into what it was like to brave the untamed west - and left us to ponder just how much "rougher" life in the 1860s really was.I highly recommend Bonanza, Season One for anyone who enjoys westerns, classic television shows, handsome cowboys and ranchers, and of course, the Cartwright philosophies on life!',
'overall': 5.0,
'summary': 'Worth the wait, worth the price, and full of surprises!',
'unixReviewTime': 1365897600,
'reviewTime': '04 14, 2013'},
{'reviewerID': 'A30YTPOSMT12C5',
'asin': 'B000H422VY',
'reviewerName': 'Mulroon',
'helpful': [4, 4],
'reviewText': 'It was wonderful to see the original 1957 NBC peacock included on an episode each of Volume 1, "A Rose For Lotta" (1959) and volume 2, "The Avenger" (1960), which was a predecessor to the famous Laramie Peacock, first used to introduce an episode of the western Laramie, in 1962, and used regularly until the mid-1970\'s, and which still gets trotted out occaisionally for specials.This two pack (full season) release is great for the fabulous looking episodes, bumpers, photographs, and interviews.',
'overall': 5.0,
'summary': 'CBS Please, More Bonanza, Gunsmoke, and Have Gun Will Travel.',
'unixReviewTime': 1253664000,
'reviewTime': '09 23, 2009'},
{'reviewerID': 'A3L6ZA3VLLI9V8',
'asin': 'B000H422VY',
'reviewerName': 'Normale',
'helpful': [1, 2],
'reviewText': 'Love revisiting the TV of my childhood. It is interesting to me how little I noticed all the killings when I watched this show as a child.',
'overall': 5.0,
'summary': 'Fun escape from "reality"',
'unixReviewTime': 1388966400,
'reviewTime': '01 6, 2014'},
{'reviewerID': 'A1TPF6AA09P08A',
'asin': 'B000H422VY',
'reviewerName': 'Patricia A. Minor',
'helpful': [0, 0],
'reviewText': 'Had to get this DVD for my collection. Grew up watching Bonanza as a kid and was thrilled to get this. Brought back memories.',
'overall': 5.0,
'summary': 'Great DVD',
'unixReviewTime': 1369699200,
'reviewTime': '05 28, 2013'},
{'reviewerID': 'A1IQA00NDRJX3G',
'asin': 'B000H422VY',
'reviewerName': 'Patti Mcclure "Blondiebluetx64"',
'helpful': [1, 1],
'reviewText': "Who could ask for more? Now you can have Ben, Adam, Hoss, and Joe in full uncut commercial and banner free living color any time of the day or night with these new DVDs. Picture is sharp and clear and color is good. Has the original theme music and the extras are worth the price alone! A must have for every Bonanza fan's DVD library.",
'overall': 5.0,
'summary': 'Cartwrights in full living uncut commercial free color!',
'unixReviewTime': 1358035200,
'reviewTime': '01 13, 2013'},
{'reviewerID': 'A2F0ZB6JTS434F',
'asin': 'B000H422VY',
'reviewerName': 'Paula Lee',
'helpful': [2, 2],
'reviewText': "It was fun to watch the first season and see shows that I had never seen before and watch how they mature more in their acting as the season goes on. We now own the 1st 6 seasons and can't wait to get the 7th",
'overall': 5.0,
'summary': 'A great 1st season',
'unixReviewTime': 1383004800,
'reviewTime': '10 29, 2013'},
{'reviewerID': 'A36R6OP9QH2GLN',
'asin': 'B000H422VY',
'reviewerName': 'phalbra milien',
'helpful': [0, 0],
'reviewText': 'I LOVE WESTERNS WITH A BLEND OF ACTION AND COMEDY, EVEN COMPASSION. THIS SHOW HAS IT ALL',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1404864000,
'reviewTime': '07 9, 2014'},
{'reviewerID': 'A22RILER8RA6J3',
'asin': 'B000H422VY',
'reviewerName': 'Phantom Reviewer',
'helpful': [6, 13],
'reviewText': "The set seems pretty good. I see only 3 cons...1) The chapter fades are too early. What I mean is, at the end of each chapter, the video fades to black a few seconds before the audio. It's a little annoying.2) There is a slight flickering most noticable on bright scenes.3) The audio is sometimes out-of-sync with the video. You can see this during dialog close-ups.Anyone else notice these? Hopefully they will correct this with future releases.",
'overall': 3.0,
'summary': 'Pretty Good',
'unixReviewTime': 1262476800,
'reviewTime': '01 3, 2010'},
{'reviewerID': 'A27S6TPZIGF438',
'asin': 'B000H422VY',
'reviewerName': 'pony',
'helpful': [16, 21],
'reviewText': "What a great way to celebrate the 50th anniversary of the BEST show EVER! 'Bonanza' is a timeless classic. Our beloved Cartwrights will truly ride the Ponderosa forever, but how wonderful to know the burning map will finally blaze into our homes as well as our hearts after all these years.(I understand the DVDs will also be available at the Bonanza Friendship Convention in September 2009.)",
'overall': 5.0,
'summary': 'O Happy Day!',
'unixReviewTime': 1243900800,
'reviewTime': '06 2, 2009'},
{'reviewerID': 'A5GX2C8KETWTM',
'asin': 'B000H422VY',
'reviewerName': 'Priscilla R.',
'helpful': [1, 1],
'reviewText': 'My husband loves Bonanza and this is a perfect addition to his collection. Those who love Bonanza will very happy with this set of DVDs.',
'overall': 5.0,
'summary': 'Bonanza Fan',
'unixReviewTime': 1378857600,
'reviewTime': '09 11, 2013'},
{'reviewerID': 'AJSG7BNTHBDSA',
'asin': 'B000H422VY',
'reviewerName': 'pugly',
'helpful': [0, 0],
'reviewText': 'I Love these westerns, would like to see the rifleman as well as other westerns from the past.Thank you',
'overall': 5.0,
'summary': 'Bonanza',
'unixReviewTime': 1387584000,
'reviewTime': '12 21, 2013'},
{'reviewerID': 'A3A33XZY2KJSVL',
'asin': 'B000H422VY',
'reviewerName': 'rascal',
'helpful': [0, 8],
'reviewText': "I paid for this and never received it so i can't say much about it if they would be so kind to put it on my kindle fire I would watch it",
'overall': 1.0,
'summary': 'did not receive',
'unixReviewTime': 1368316800,
'reviewTime': '05 12, 2013'},
{'reviewerID': 'A3A1PY1EBZ1E7D',
'asin': 'B000H422VY',
'reviewerName': 'read on',
'helpful': [0, 0],
'reviewText': 'still good to watch too bad all the stars have died, so goes the good die young, this kind of tv is no longer available',
'overall': 3.0,
'summary': 'never gets old',
'unixReviewTime': 1398643200,
'reviewTime': '04 28, 2014'},
{'reviewerID': 'AAUXUSQ80DAAZ',
'asin': 'B000H422VY',
'reviewerName': 'Richard Morse',
'helpful': [0, 1],
'reviewText': 'Fine moral structure.',
'overall': 4.0,
'summary': 'Four Stars',
'unixReviewTime': 1404432000,
'reviewTime': '07 4, 2014'},
{'reviewerID': 'ADGG9P3L6SF5M',
'asin': 'B000H422VY',
'reviewerName': 'Rick Miller',
'helpful': [3, 3],
'reviewText': 'This BONANZA DVD box set by CBS and Andrew J. Klyde that is comprised of two volumes marked the first official release for the 50th anniversary in September 2009!Finally, the fans can SEE the beautiful Technicolor glow in the episodes that could not look better! For even better results, play the DVDs back on a Blu-ray for upconverting to nearly Hi-Def is truly stunning. As well as the great sound you can hear so well. Pay no mind to cheap bootlegs that carry some of these episodes, as those are illegally made by renegade companies. This is BONANZA at its best ever in image and sound. Be sure to buy the Official Season Two, Volume 1 by CBS and more will follow!',
'overall': 5.0,
'summary': 'See the Original!',
'unixReviewTime': 1295308800,
'reviewTime': '01 18, 2011'},
{'reviewerID': 'A3IBSVUOMH4YMJ',
'asin': 'B000H422VY',
'reviewerName': 'rmecdm',
'helpful': [3, 3],
'reviewText': 'Thank you Amazon for carrying these Dvd\'s. I love Bonanaza! These Dvd\'s are much, much better quality than the few episodes you can find in the $5.00 bin at Walmart. Lots of cool extras, and photos. Neat interviews with the creator of the series, David Dortort provide special "inside info" I\'m happy!',
'overall': 5.0,
'summary': 'So glad these are finally out!!!',
'unixReviewTime': 1317859200,
'reviewTime': '10 6, 2011'},
{'reviewerID': 'A3MHUJKWIGV56T',
'asin': 'B000H422VY',
'reviewerName': 'Robert M. Jacobi',
'helpful': [0, 0],
'reviewText': 'I grew up with this being my favorite program. It is great to go back and revisit again. Color and sound quality are great.',
'overall': 5.0,
'summary': 'Best of the west',
'unixReviewTime': 1400716800,
'reviewTime': '05 22, 2014'},
{'reviewerID': 'A2YJL1MX3J4OK',
'asin': 'B000H422VY',
'reviewerName': 'Romancewriteriam',
'helpful': [2, 2],
'reviewText': 'I have watched this set over and over. I love it. Wonderful pictures and sound. I really enjoy being able to watch uncut episodes whenever I want. I also love the extras. Worth the wait and money!',
'overall': 5.0,
'summary': 'So Glad To Finally Have It',
'unixReviewTime': 1292803200,
'reviewTime': '12 20, 2010'},
{'reviewerID': 'A2B2J3H8WGAPR2',
'asin': 'B000H422VY',
'reviewerName': 'rose smith',
'helpful': [0, 0],
'reviewText': "Bonanza and who doesn't love being at the Ponderosa with the Cartwright's. What an enduring legacy left for the next generation. And thank you for the excellent service and for offering this wonderful entertainment!",
'overall': 5.0,
'summary': "Bonanza and who doesn't love being at the Ponderosa with the Cartwright's",
'unixReviewTime': 1404518400,
'reviewTime': '07 5, 2014'},
{'reviewerID': 'A3MW37MJNG0Y0Z',
'asin': 'B000H422VY',
'reviewerName': 'Satisfied customer "Winning"',
'helpful': [1, 1],
'reviewText': 'Bonanza is my favorite of the TV westerns and this season had some good eps which I enjoy watching. Many extras (still pix of the cast).',
'overall': 5.0,
'summary': 'Bonanza Season 1',
'unixReviewTime': 1402444800,
'reviewTime': '06 11, 2014'},
{'reviewerID': 'A16FLBGWE6TS04',
'asin': 'B000H422VY',
'reviewerName': 'Scott Kunkel',
'helpful': [0, 0],
'reviewText': 'Got to Love this Classic, My mom has been watching Bonanza since back in the day, and I enjoy the time we spend together watching it from the beginning season.......Sure hope all the seasons become available.',
'overall': 5.0,
'summary': 'Got To Love it',
'unixReviewTime': 1368230400,
'reviewTime': '05 11, 2013'},
{'reviewerID': 'A5I6X6VK9DD7K',
'asin': 'B000H422VY',
'reviewerName': 'Seamstress Love "seamstresslove"',
'helpful': [2, 3],
'reviewText': "I love the show and enjoy watching it on TV!!! But I could tell they were leaving scenes out and I wanted to see the whole episodes so much but the show wasn't on DVD!!! ARGHHHH!!! I'm so glad they are finally making them, when is the second year coming out, I want more!!! They just don't make TV shows like this anymore UNFORTUNATELY!!!!",
'overall': 5.0,
'summary': 'It is about time!!!!',
'unixReviewTime': 1256169600,
'reviewTime': '10 22, 2009'},
{'reviewerID': 'A31IX70B0M3CC6',
'asin': 'B000H422VY',
'reviewerName': 'Sgt. Bilko',
'helpful': [1, 1],
'reviewText': 'Here are the Cartwrights and it is a joy to watch these episodes that I remember from childhood. My favorite character was Hoss and still is! I have only gotten through the first two discs and am really enjoying it. Some of us remember the Golden Age of television, here was one of the series that helped to make it golden!',
'overall': 5.0,
'summary': 'Worth wating for',
'unixReviewTime': 1357689600,
'reviewTime': '01 9, 2013'},
{'reviewerID': 'A1C7QXN1TI6LPO',
'asin': 'B000H422VY',
'reviewerName': 'Shane M. Gjesdal',
'helpful': [1, 1],
'reviewText': "Love the episodes hope they can get the other episodes... if they get more I'll watch them all over and over.",
'overall': 5.0,
'summary': 'great!',
'unixReviewTime': 1382400000,
'reviewTime': '10 22, 2013'},
{'reviewerID': 'A3LIT7D7U4WUZS',
'asin': 'B000H422VY',
'reviewerName': 'shannon',
'helpful': [0, 0],
'reviewText': 'Watching tv westerns is something I do with my Dad. Kind of a Father/Daughter bonding thing. Anyway of all the shows out there Bonanza is our favorite. If you like tv westerns Bonanza is a must have for any collection.',
'overall': 5.0,
'summary': 'Bonanza never goes out of style!',
'unixReviewTime': 1371081600,
'reviewTime': '06 13, 2013'},
{'reviewerID': 'AZJ2NRMX5VUFU',
'asin': 'B000H422VY',
'reviewerName': 'Sheryl Hayden',
'helpful': [0, 1],
'reviewText': 'I would have given it 5 stars if it had included the very first episodes, which are so far "unavailable".',
'overall': 3.0,
'summary': 'Bonanza first season',
'unixReviewTime': 1369785600,
'reviewTime': '05 29, 2013'},
{'reviewerID': 'AQYW0KTZ262B9',
'asin': 'B000H422VY',
'reviewerName': 'Shirl Thomas',
'helpful': [0, 0],
'reviewText': 'My father and I used to watch this show for years and it brings back those good memories while watching it again. Need to get more season available.',
'overall': 5.0,
'summary': 'brings back memories',
'unixReviewTime': 1399766400,
'reviewTime': '05 11, 2014'},
{'reviewerID': 'A3DA0QU74JKWCF',
'asin': 'B000H422VY',
'reviewerName': 'Sierras',
'helpful': [3, 3],
'reviewText': 'I am still going through the DVDs and watching the episodes. I am so happy with this set. The episodes are crisp and clear and have great color. I am also enjoying the extra features that come with the set. For instance David Dortort gives some background history to the series. It is all so interesting. I have already ordered season 2, and I plan to also get season 3. :)',
'overall': 5.0,
'summary': 'Very Nice!',
'unixReviewTime': 1341187200,
'reviewTime': '07 2, 2012'},
{'reviewerID': 'A1U3RFZBP8ZS1S',
'asin': 'B000H422VY',
'reviewerName': 'S. M Thiel "Old-Time Radio Fan"',
'helpful': [10, 10],
'reviewText': 'R.I.P. Pernell Robert you were great as Adam Cartwright, the eldest son.My favorite Adam episode in Season One is the "The Annie O\'Toole Story" with Ida Lupino.Adam ends up as a partner in a Mine Camp restuarant with Annie.Good Humor throughtout.Also check out Roberts on the 3rd season GUNSMOKE episode called "How to Kill a Woman".Overall the first season of BONANZA was strong.Lots of well-known guest stars.Good writting and after first few episodes, there was fine acting by the four guys.Overall a solid \'B+\'.',
'overall': 5.0,
'summary': 'BONANZA TIME!!!',
'unixReviewTime': 1265068800,
'reviewTime': '02 2, 2010'},
{'reviewerID': 'A3OIH43KWWBNUP',
'asin': 'B000H422VY',
'reviewerName': 'smuthdude',
'helpful': [42, 85],
'reviewText': 'Why are classic TV fans putting up with this? In a recession no less? $51.00 for a complete season of a TV show? That\'s the incredibly low Amazon price. Retail is closer to 70 bucks! Even for a classic like Bonanza, that is absurd! Paramount has done this for the past few years, putting out partial season sets of shows like Cannon, The Untouchables, and The Fugitive. Yet, they give us full season sets of shows like I Love Lucy, The Beverly Hillbillies, and Mannix. Sometimes, they give us the full 1st season of a show(Gunsmoke, Rawhide) then double back on us by dividing up the following seasons into partial sets. ENOUGH! This crap was enough to deal with when people had more money than brains. But with less discretionary income available these days, it\'s not feasible to abuse fans of classic television with these partial season sets, then change out the incidental music to boot! TV fans, Please, PLEASE resist the temptation to buy this. I LOVE BONANZA, but I refuse to be financially RAPED by the marketing team at CBS Paramount Television anymore. No other studio is pulling this stunt. We, the consumer have the power to make it stop. Oh, and Paramount, how about releasing the remaining 3 seasons of "Have Gun, Will Travel" before launching another western? Or do you think half-way is good enough?',
'overall': 1.0,
'summary': "Classic TV fans bend over... Paramount's riding your way!",
'unixReviewTime': 1247356800,
'reviewTime': '07 12, 2009'},
{'reviewerID': 'AFI7M9UWEZMJG',
'asin': 'B000H422VY',
'reviewerName': 'SONS OF GONDOR FAN',
'helpful': [0, 0],
'reviewText': "Both dvds are great! The bonus features are really interesting. It is interesting to see how this show grows in a season. Especially the characters. You won't be dissapointed with this set.",
'overall': 5.0,
'summary': 'Great set to own.',
'unixReviewTime': 1351555200,
'reviewTime': '10 30, 2012'},
{'reviewerID': 'A3C89KFX2K59M3',
'asin': 'B000H422VY',
'reviewerName': 'Stevie',
'helpful': [1, 6],
'reviewText': 'I did not like after they showed the pilot (which I loved) that they had Lorne Greene, Mike Landon and the rest stand there in costume while Greene mentioned it was TV and did a sales pitch! That ruined the illusion of it being the wild wild west!',
'overall': 5.0,
'summary': 'Good but just one or two beefs',
'unixReviewTime': 1283904000,
'reviewTime': '09 8, 2010'},
{'reviewerID': 'AFH9FJYY0KZUI',
'asin': 'B000H422VY',
'reviewerName': 'Storfiskaren "Ksen"',
'helpful': [2, 3],
'reviewText': "One Bonanza per day, keeps the doctor away! I am impressed with the quality of the picture and sound. The CC subtitles means a lot too. Don't hesitate if you are considering... just buy it. You will not regret it.",
'overall': 5.0,
'summary': 'Bonanza heaven.',
'unixReviewTime': 1343865600,
'reviewTime': '08 2, 2012'},
{'reviewerID': 'A1NRG55JIZEQ75',
'asin': 'B000H422VY',
'reviewerName': 'Sue',
'helpful': [0, 0],
'reviewText': "I liked it very well and most of the shows rated a four! I couldn't get the whole series, but enjoyed what I got to see.",
'overall': 4.0,
'summary': 'Great Show',
'unixReviewTime': 1365811200,
'reviewTime': '04 13, 2013'},
{'reviewerID': 'A38YEZB89OS4P5',
'asin': 'B000H422VY',
'reviewerName': 'SUSANNE',
'helpful': [0, 0],
'reviewText': "I was so happy with the good quality and of course the original music! the first season isn't my favorite but I want to collect each season as I can afford to buy it.",
'overall': 5.0,
'summary': 'first season',
'unixReviewTime': 1360368000,
'reviewTime': '02 9, 2013'},
{'reviewerID': 'A1EGNNUULTATK6',
'asin': 'B000H422VY',
'reviewerName': 'Tammy Ruggles',
'helpful': [0, 0],
'reviewText': "Now you can actually own every episode of the first season; the ones you remember and cherish from childhood. Or, if you don't know Bonanza, the ones you will fall in love with. The stories still hold up for today's audience, the acting by the 4 leads is stellar, and you will see why this show lasted 14 years, the second-longest running western next to Gunsmoke.",
'overall': 5.0,
'summary': 'The Beginning Of Bonanza',
'unixReviewTime': 1360108800,
'reviewTime': '02 6, 2013'},
{'reviewerID': 'A34AUWBF38ANQD',
'asin': 'B000H422VY',
'reviewerName': 'Tanya Middleton',
'helpful': [0, 0],
'reviewText': 'I liked this product because the programmes are my favourite and they were the second best western of all time. And now I have it on DVD!',
'overall': 5.0,
'summary': 'Great Buy',
'unixReviewTime': 1375660800,
'reviewTime': '08 5, 2013'},
{'reviewerID': 'A2F4MY45NYAD8Y',
'asin': 'B000H422VY',
'reviewerName': 'Terry Cartwright',
'helpful': [3, 13],
'reviewText': "Very disappointed that the original Bonanza theme song and track have been removed and replaced with generic material. I have seen this done by Sony and Paramount for shows like Andy Griffith and My Three sons, the latter replaced with Motown music. They do this because they're too cheap to pay the royalties for the original music.I can see how the Japanese at Sony don't get it, but for American companies to remove the iconic themes from these TV shows is a crime. The original themes are an integral part of the nostalgic experience for these old time shows. Very disappointed!",
'overall': 2.0,
'summary': "They've removed the original Bonanza theme song!",
'unixReviewTime': 1357603200,
'reviewTime': '01 8, 2013'},
{'reviewerID': 'A39FR8INEPA5AO',
'asin': 'B000H422VY',
'reviewerName': 'Thomas Shepherd',
'helpful': [1, 1],
'reviewText': "I loved it, very satisfied, brought back good memoriesI plan on seeing all the seasons,don't make shows like these anymore!",
'overall': 5.0,
'summary': 'Bonanza Season 1',
'unixReviewTime': 1389657600,
'reviewTime': '01 14, 2014'},
{'reviewerID': 'A1LKLKLUIW4MP3',
'asin': 'B000H422VY',
'reviewerName': 'tina parsons',
'helpful': [0, 0],
'reviewText': 'I HAVE always loved bananza with ben,adam, hoss, little joe they are great love westerns. want to get all seasons of bonanza',
'overall': 5.0,
'summary': 'grea twestern',
'unixReviewTime': 1365724800,
'reviewTime': '04 12, 2013'},
{'reviewerID': 'A3Q4XAQXKKV6V',
'asin': 'B000H422VY',
'reviewerName': 'William Smith',
'helpful': [49, 55],
'reviewText': "Bonanza of course sits at the very cradle of television itself. There really isn't much to say that fans do not already know in regards to the series. First and foremost it was the acting that brought the well rounded scripts to life. Not just the lead stars -- Bonanza had the absolute luxury of dipping into the well of every one of the greatest character, bit, and journeymen actors in the HISTORY of television.. you heard right, in the HISTORY of the medium. After all, great 'guest stars' are what separates the good shows and the classic shows. I dare you to watch even ONE episode and not think to yourself -- wait, wasn't he/she from.... and chances are they were and they were amazing in it too!On a technical level I found the packaging to be handsome, the transfer to be nice, the extras competent (since most shows of this age have NO extras), the price though high is well worth it. A definite buy.In light of today it's hard to even comprehend a nightly line up such as Bonanza, the Twilight Zone, and the Andy Griffith Show.. It's also hard to imagine a cast in which it is quite possible that a Michael Landon is the weakest link in the chain.. all I can say is never again. The beauty of true drama has been drained completely out of modern tv and I thank Paramount for helping us all remember when there was a right and a wrong, there was a time to fight, and a time to give thanks.. this show truly is a Bonanza in every sense of the word.PS.. Where on Earth is Season 2 Vol 2 of the Big Valley.......????",
'overall': 5.0,
'summary': "When men were men and women.... weren't.",
'unixReviewTime': 1253059200,
'reviewTime': '09 16, 2009'},
{'reviewerID': 'AAZ0UC3F88ZD9',
'asin': 'B000H422VY',
'reviewerName': 'william Templer',
'helpful': [0, 1],
'reviewText': "I remember as a child watching with my Dad, I loved the story's they always kept you interested so I wanted to watch again hope you come out with more seasons. WBT",
'overall': 5.0,
'summary': "I loved it but season 2 won't let you watch nothing",
'unixReviewTime': 1402790400,
'reviewTime': '06 15, 2014'},
{'reviewerID': 'A2FPBH2Z86B6MG',
'asin': 'B000H422VY',
'reviewerName': 'William T. Mecca',
'helpful': [9, 9],
'reviewText': "Back in the late 50's and 60's when I was a kid growing up, all the major networks had at least 1 quality western and many had multiple such shows. Introduced by NBC in 1959, Bonanza was one of the longest running westerns and was eclipsed in longevity only by CBS's Gunsmoke. Bonanza was something of a watershed event for NBC. Billed as the first Western in living color, this was something it's direct competitor Gunsmoke did not have until around 1966.Bonanza was the story of the Cartwright family and their Nevada ranch the Ponderosa. Originally starring Loren Greene as Ben Cartwright, the patriarch of the family, and actors Pernell Roberts, Dan Blocker, and Michael Landon as sons Adam, Hoss and Little Joe. Each week would provide a new adventure with a cast of notable guests, some of which went on to be stars on the big screen.While a number of shows from the golden age of TV were offered on DVD in complete season editions, for some reason Bonanza was long left out. Often you could get some compilation of the best shows of the series, but never a complete season on DVD. That is until now.As others have pointed out, the packaging for the first season is nothing to get excited about, but within each DVD are some really nice extras, such as photo galleries, the pilot with alternate endings and original bumpers used to signify commercial breaks. The quality of the audio and video transfers is also excellent.Considering the age of the material, video transfers are clean and colors quite beautiful. As good as the video is, I was probably equally, if not more impressed with sound. The process of cleaning up sound can be quite difficult with such old material. To really appreciate what a job Paramount did, look and listen carefully when the commercial bumpers come up. The bumper and Loren Greene's closing lines on the pilot show were left original and there is an order of magnitude difference in the quality between original material and the DVD transfer. Paramount deserves kudos for their effort on this one.That said, i was pleased with this offering. Now I wish Paramount would offer the The High Chaparral and Cimarron Strip on complete season and complete series DVD. These shows along with Gunsmoke, Have Gun Will Travel, and Wild Wild West were my favorite shows growing up.",
'overall': 5.0,
'summary': 'The Complete First Season At Last!',
'unixReviewTime': 1253232000,
'reviewTime': '09 18, 2009'},
{'reviewerID': 'A9RNMO9MUSMTJ',
'asin': 'B000H42YF8',
'reviewerName': 'Andre Villemaire',
'helpful': [2, 3],
'reviewText': 'So easy to fool the buyers with good look pictures to sell theirmovies...but you were warned. The market is getting flooded bythese miniature budget movies. There should be warnings on the boxes against these wanabees.Yes i gave it 2 stars cause ive seen much worse.One star for the gnome puppets and the other one for thefree nudity.',
'overall': 2.0,
'summary': 'Dont be fooled by pictures',
'unixReviewTime': 1137369600,
'reviewTime': '01 16, 2006'},
{'reviewerID': 'A2CDTM9DGUZ3VR',
'asin': 'B000H42YF8',
'reviewerName': 'J. K. Akins',
'helpful': [0, 0],
'reviewText': '...I just wanted to watch a good horror movie that was a little different or original. This was just awful, almost unwatchable.',
'overall': 1.0,
'summary': "I don't know what I was thinking...",
'unixReviewTime': 1394409600,
'reviewTime': '03 10, 2014'},
{'reviewerID': 'A2LHGW4AZCLKM9',
'asin': 'B000H42YF8',
'reviewerName': 'N.V.',
'helpful': [0, 0],
'reviewText': "Bad acting? Yes. Cheesy story line? Yes. Gratuitous nudity? Yes. Don't expect much from this movie other than a few laughs really. I happen to like older cheesy movies so this didn't phase me. It can come off as low budget skinimax though so it's not really for younger viewers. I will saw the cover misled me at first as the gnomes don't really look like that. I won't say much more for those that are bold enough to give this a shot. If you're adult enough to watch this with a group of friends that aren't phased by the nudity and BDSM you could all pick on it for fun. I already recommended it to a friend ;) .",
'overall': 3.0,
'summary': 'Funny adult low budget not so horror film.',
'unixReviewTime': 1385164800,
'reviewTime': '11 23, 2013'},
{'reviewerID': 'A1L5MH4JTAPH1A',
'asin': 'B000H42YF8',
'reviewerName': 'NyanNyanNiHaoNyan',
'helpful': [0, 0],
'reviewText': "what is this?more importantly, WHY is this?i think my brain cells have just been destroyed. being drunk isn't enough to make it through this movie. mocking isn't enough to make it through this movie. there were a lot of nice boobs, but you can see those anywhere, it is not enough to save this movie.the only moment of competent acting is when danny boy was pretending to be crazy and sounded very drunk, apparently that actor has a lot of experience talking in altered states of mind.bloodsport and BONDAGE AND DOMINATION and for some reason the gnomes need people to be either horny or scared AND to have blood drawn before they eat them i don't i can't they're born out of a large vagina dentata and THEY ARE THE DRUGS and oh godthere is no pacing to be spoken of, the climax happens in the last three minutes of the film and just nothing i keep asking myself "what is the point of this scene" "why is this here" "suicide is a viable life decision"watch this movie if you're a masochist. i can't recommend it to anyone else.on the other hand, if you want to be immortal, watch bloodgnome, time will never end you will be young forever",
'overall': 1.0,
'summary': 'wat',
'unixReviewTime': 1391817600,
'reviewTime': '02 8, 2014'},
{'reviewerID': 'A3PAOS1T0D9218',
'asin': 'B000H4DPNI',
'reviewerName': 'ely mendoza',
'helpful': [0, 0],
'reviewText': 'Cuts too close my personal reality! I have a funny life! Alec mapa is a comic genius! A mist see!',
'overall': 5.0,
'summary': 'Funny!',
'unixReviewTime': 1376697600,
'reviewTime': '08 17, 2013'},
{'reviewerID': 'A34R9LTYZTE1PF',
'asin': 'B000H4DPNI',
'reviewerName': 'trance',
'helpful': [0, 0],
'reviewText': 'i laughed at alec mapa from start to finish! a very funny man...... the entire wiscrack show was great, check it out.',
'overall': 5.0,
'summary': 'ive always wanted to see the chinese quaaaarter!',
'unixReviewTime': 1329868800,
'reviewTime': '02 22, 2012'},
{'reviewerID': 'A3U33E6LCHSLMT',
'asin': 'B000H4YNM0',
'helpful': [0, 0],
'reviewText': 'fantastic!',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1405382400,
'reviewTime': '07 15, 2014'},
{'reviewerID': 'A2L40XT11VWFLP',
'asin': 'B000H4YNM0',
'reviewerName': 'A3test',
'helpful': [0, 0],
'reviewText': "I really do. I could watch the episodes over and over...and i do. If you like sarcasm and unlikeable characters that for some reason you really love then you will like Sunny. You either love this show or you hate it. So it would behoov you to find out which category you're in!",
'overall': 5.0,
'summary': 'I like this show too much',
'unixReviewTime': 1390608000,
'reviewTime': '01 25, 2014'},
{'reviewerID': 'A3LYCMW65BV395',
'asin': 'B000H4YNM0',
'reviewerName': 'acrifed',
'helpful': [0, 1],
'reviewText': "This is honestly one of the best sitcoms on t.v. right now! Not a lot of people know about it, but if you give it a chance and you have a sence of humor you will LOVE it! The new season starts Fall of 2008! It's very smart and very orginal - something that's missing from t.v. right now!",
'overall': 5.0,
'summary': 'funniest show out right now!!!',
'unixReviewTime': 1211587200,
'reviewTime': '05 24, 2008'},
{'reviewerID': 'A220FUW7UCTRPL',
'asin': 'B000H4YNM0',
'reviewerName': 'Adam Lee "Abner99"',
'helpful': [0, 0],
'reviewText': "I think it's the best one they have done because you get to see the other side of them especially dee and Charlie",
'overall': 4.0,
'summary': 'Really funny',
'unixReviewTime': 1348185600,
'reviewTime': '09 21, 2012'},
{'reviewerID': 'ABGAL4ZQ7ZG0Z',
'asin': 'B000H4YNM0',
'reviewerName': 'Adelaidian',
'helpful': [0, 0],
'reviewText': "I stumbled across this show on the Amazon website and purchased the DVD set after reading some of the reviews. After watching a couple of episodes, I was glad I bought it. It has elements of Seinfeld and Drew Carey and lots of political incorrectness. Fans of The Simpsons, Curb Your Enthusiasm and Ali G/Borat will probably appreciate the humour.While running Paddy's Bar in Philadelphia, this group of 30 year olds? tackles a different social issue in each episode. Issues include underage drinking, gun ownership, abortion etc. Unfortunately, these still young adults are incapable of learning about life without making some big mistakes along the way, and the results are hilarious. I'm looking forward to seeing season three.",
'overall': 5.0,
'summary': "Have a drink at Paddy's",
'unixReviewTime': 1215907200,
'reviewTime': '07 13, 2008'},
{'reviewerID': 'A1KUXVBQO9RYX9',
'asin': 'B000H4YNM0',
'reviewerName': 'A. J. Mcphersen "Got to plumb! Plumb the dept...',
'helpful': [1, 1],
'reviewText': 'Man i love this show. This is the best show since arrested development and i just wish more people could "get it" so tv could be full of great shows like this. Id still buy on dvd though, because i hate commercials.After i purchased this from amazon i watched all three discs in a row, after which i put the first disc on again. I would have watched more but i fell asleep :DWhenever im feeling down i just put this show on and it makes me laugh and feel better. Great, great show that i would recommend to anyone with half a brain.',
'overall': 5.0,
'summary': 'always funny at my place',
'unixReviewTime': 1201046400,
'reviewTime': '01 23, 2008'},
{'reviewerID': 'AF44KDMT4SHHA',
'asin': 'B000H4YNM0',
'reviewerName': 'AKA Conroy',
'helpful': [0, 0],
'reviewText': 'Overall, it\'s a funny and entertaining show. Sometimes it is very "uneven" and hit or miss. Seems like a lot of improvisation that frequently doesn\'t work. Uncomfortable is not the same as funny. Danny Devito is great. When it works its funny as hell.',
'overall': 4.0,
'summary': 'THE GANG IS ENTERTAINING',
'unixReviewTime': 1394668800,
'reviewTime': '03 13, 2014'},
{'reviewerID': 'A3G6XVRCQSI2TU',
'asin': 'B000H4YNM0',
'reviewerName': 'Alexandra F. Ferguson',
'helpful': [2, 3],
'reviewText': "I bought this DVD series on a recomendation and I am so glad that I did. My husband and I, along with all of our friends think it's hilarious. If you like the Office, Seinfeld, and Arrested Development, then you will love this show.AlexPhiladelphia, Pa",
'overall': 5.0,
'summary': 'Awesome show',
'unixReviewTime': 1192060800,
'reviewTime': '10 11, 2007'},
{'reviewerID': 'A2697U5G384C3A',
'asin': 'B000H4YNM0',
'reviewerName': 'Alexis Williams',
'helpful': [0, 2],
'reviewText': "I bought Seasons one and two of It's Always Sunny in Philadelphia from Amazon and it was the cheapest price I could find, and it is great quality.",
'overall': 5.0,
'summary': "It's Always Sunnny with Amazon!",
'unixReviewTime': 1231200000,
'reviewTime': '01 6, 2009'},
{'reviewerID': 'A2GIS2OWIVUSC6',
'asin': 'B000H4YNM0',
'reviewerName': 'Alyssa Fernandez',
'helpful': [0, 1],
'reviewText': "Have been looking for a new (to me) show to get into on Prime and have been having a hard time, until coming across this show. My husband and I are enjoying it a lot. I'm glad there are many seasons, but I think we'll probably go through them quickly, it being only a half hour show. I recommend it!",
'overall': 5.0,
'summary': 'Funny!',
'unixReviewTime': 1400112000,
'reviewTime': '05 15, 2014'},
{'reviewerID': 'A3SUC8VKX2FI3A',
'asin': 'B000H4YNM0',
'reviewerName': 'Amanda Fox',
'helpful': [0, 3],
'reviewText': "I didn't finish watching this. I couldn't get through the first couple episodes. I bought it as my bf said it was a funny show. I however didn't find much humor in it.",
'overall': 2.0,
'summary': "Didn't Finish Watching",
'unixReviewTime': 1393804800,
'reviewTime': '03 3, 2014'},
{'reviewerID': 'A2ZNQNXYBZB45D',
'asin': 'B000H4YNM0',
'reviewerName': 'Amanda',
'helpful': [0, 0],
'reviewText': "A totally politically incorrect show that is hilarious. It's fun to watch shady characters behave so inappropriately, it's ridiculous. Dennis and Dee Go on Welfare is my favorite episode. If you like Arrested Development, I think you'll love this show.",
'overall': 5.0,
'summary': 'My favorite show!',
'unixReviewTime': 1308873600,
'reviewTime': '06 24, 2011'},
{'reviewerID': 'A3SPLAB4MDEKAA',
'asin': 'B000H4YNM0',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': 'Always loved this show since I seen it debut. Charlie is by far my favorite character in the series lol',
'overall': 5.0,
'summary': 'awesome',
'unixReviewTime': 1398643200,
'reviewTime': '04 28, 2014'},
{'reviewerID': 'A31RIH36PWXZWH',
'asin': 'B000H4YNM0',
'reviewerName': 'Amazon Customer',
'helpful': [0, 0],
'reviewText': "Love this show with all it's bizarre insanity and completely screwed up characters. I have never watched an episode I did not laugh!",
'overall': 5.0,
'summary': 'Perfectly Imperfect',
'unixReviewTime': 1394928000,
'reviewTime': '03 16, 2014'},
{'reviewerID': 'A2LWLK7GTT6PE2',
'asin': 'B000H4YNM0',
'reviewerName': 'AMAZON GIRL "REGULAR BUYER"',
'helpful': [0, 0],
'reviewText': "This show is awesome. It is consistently entertaining and funny. I wish I started watching this show when it first came out. I LOVE it and so does my husband! We have been telling everyone we know to watch the show if they don't already.",
'overall': 5.0,
'summary': 'Super Funny',
'unixReviewTime': 1257984000,
'reviewTime': '11 12, 2009'},
{'reviewerID': 'A3CI9KB2ZX8VTN',
'asin': 'B000H4YNM0',
'reviewerName': 'AMC',
'helpful': [0, 0],
'reviewText': 'This was another great episode. This is one of my top 10 all time favorites of Always Sunny in Philadelphia.',
'overall': 5.0,
'summary': 'Hilarious',
'unixReviewTime': 1331424000,
'reviewTime': '03 11, 2012'},
{'reviewerID': 'A1C5WEG52QF2G8',
'asin': 'B000H4YNM0',
'reviewerName': 'Ana Bean',
'helpful': [0, 0],
'reviewText': '❤️',
'overall': 5.0,
'summary': 'Five Stars',
'unixReviewTime': 1404864000,
'reviewTime': '07 9, 2014'},
{'reviewerID': 'A1YA1LK6YTS8KO',
'asin': 'B000H4YNM0',
'reviewerName': 'Andi Johnson',
'helpful': [0, 5],
'reviewText': 'watched it during stationary bike riding. did not make me want to come back and ride again tomorrow. kinda stupid...',
'overall': 1.0,
'summary': 'stopped watching after third episode',
'unixReviewTime': 1397952000,
'reviewTime': '04 20, 2014'},
{'reviewerID': 'AM474UZKQYPGS',
'asin': 'B000H4YNM0',
'reviewerName': 'Andrew Eaton',
'helpful': [0, 1],
'reviewText': "If you enjoy well written comedy, and not that lame two and a half men...or whatever the hell sitcom is on the major networks at any given time. Give this show a chance, it is easily the best comedy on TV right now. So watch it and don't let it die off like so many other great shows.....i.e(Arrested development)",
'overall': 5.0,
'summary': 'Best shot on TV...period.',
'unixReviewTime': 1194220800,
'reviewTime': '11 5, 2007'},
{'reviewerID': 'A110W78PM5R6BN',
'asin': 'B000H4YNM0',
'reviewerName': 'Andrew L. Baron',
'helpful': [4, 7],
'reviewText': 'It typically takes a comedy a few episodes to find its voice, but I think this one found it and then lost it. The high point for me was the first season episode where the gang enables underage drinking and tries to relive high school as "cool kids" rather than losers. This episode was disturbing, complex and very funny. When Danny DeVito comes on board, the show quickly devolves into lots and lots of shouting matches as a substitute for comedy (not DeVito\'s fault, but more a problem with the writing). Too bad. I give the first disc three and a half stars, but the second one is hard to watch - hence the two stars.',
'overall': 2.0,
'summary': 'Meh...',
'unixReviewTime': 1268956800,
'reviewTime': '03 19, 2010'},
{'reviewerID': 'A186RV90X7R2UY',
'asin': 'B000H4YNM0',
'reviewerName': 'ANDY O.',
'helpful': [0, 0],
'reviewText': 'Where have I been for the past 9 years? Stumbled upon the show by accident, and fell in love with it!',
'overall': 5.0,
'summary': 'Still Laughing My Ass Off',
'unixReviewTime': 1400976000,
'reviewTime': '05 25, 2014'},
{'reviewerID': 'AYRNF14FK9ZSC',
'asin': 'B000H4YNM0',
'reviewerName': 'Angela Blair',
'helpful': [0, 1],
'reviewText': 'Great show. Love that it came in a 2-season pack. Very happy with my purchase.',
'overall': 5.0,
'summary': "It's Always Sunny in Philadelphia - Seasons 1 & 2",
'unixReviewTime': 1193875200,
'reviewTime': '11 1, 2007'},
{'reviewerID': 'A22ALS3J8TYZFB',
'asin': 'B000H4YNM0',
'reviewerName': 'Angela Lovell',
'helpful': [0, 0],
'reviewText': "After Arrested Development, I was positive my love for comedic shows had run out. And then THIS came out! I watch them all over and over, and I kid you not - if I ever see ANY of these performers on the street I'm asking for a HUG. Few people have brought me THIS much joy!",
'overall': 5.0,
'summary': "It Doesn't Get Any Better Than THIS",
'unixReviewTime': 1236384000,
'reviewTime': '03 7, 2009'},
{'reviewerID': 'A1O691OLIA76U7',
'asin': 'B000H4YNM0',
'reviewerName': 'A. Niksich',
'helpful': [0, 1],
'reviewText': "I LOVE IT!!!! It was in great condition - and I did not have any problems with it - it arrived in a timely manner. This is my new favorite show and I can't wait until season 3 comes out on DVD.",
'overall': 5.0,
'summary': "It's Always Sunny in Philadelphia",
'unixReviewTime': 1197590400,
'reviewTime': '12 14, 2007'},
{'reviewerID': 'AZ4OF5IG8Y15V',
'asin': 'B000H4YNM0',
'reviewerName': 'Anne Cabot',
'helpful': [0, 0],
'reviewText': 'I am from this area and I really enjoy the show. I think the topics are very relevant for today.',
'overall': 5.0,
'summary': 'Nice show',
'unixReviewTime': 1395100800,
'reviewTime': '03 18, 2014'},
{'reviewerID': 'A5RJ05IOLMC5F',
'asin': 'B000H4YNM0',
'reviewerName': 'Ann Geike "snow bunny"',
'helpful': [0, 1],
'reviewText': 'This has got to be one of the best shows EVER! The characters are hilarious and hot -- what better reason to watch a show.',
'overall': 5.0,
'summary': 'Haha!! Charlie got molested!!',
'unixReviewTime': 1194134400,
'reviewTime': '11 4, 2007'},
{'reviewerID': 'A3OSYKT71VQKQJ',
'asin': 'B000H4YNM0',
'reviewerName': 'A. Norwood',
'helpful': [17, 62],
'reviewText': 'I bought this following the reviews on here favorably comparing the show to Seinfeld and Arrested Development, two of my favorite comedies. but I see almost no similarity.I only made it two episodes in before my dislike of the show was cemented. frankly, I was bored. maybe the show improves and gains its hilarity further down the line, but a show that I hate after the first episode doesn\'t warrant continuing to find out.the characters have absolutely no redeeming qualities and are just horrible people, which leads to possible comedic situations, but falls flat there. the situations just end up embarrassing and pathetic, and there\'s almost no way to relate to the characters. Seinfeld\'s draw is the point when one sits back and says, "you know, they\'re absolutely right."if you\'re looking for Seinfeld or Arrested Development, go watch those. or the Office or something.',
'overall': 1.0,
'summary': '...unfunny.',
'unixReviewTime': 1247702400,
'reviewTime': '07 16, 2009'},
{'reviewerID': 'A2CYA8MIVHHM0G',
'asin': 'B000H4YNM0',
'reviewerName': 'Anthony Flander',
'helpful': [0, 0],
'reviewText': 'I always wondered how the Germans stood by while the Nazis murdered so many people. Now I know, because its happening all over again',
'overall': 5.0,
'summary': 'why was the title of "gun fever" changed to "gun control" you people really need to get a clue.',
'unixReviewTime': 1396569600,
'reviewTime': '04 4, 2014'},
{'reviewerID': 'A23OWYPKQ1Z9N3',
'asin': 'B000H4YNM0',
'reviewerName': 'Anthony Gomez',
'helpful': [0, 0],
'reviewText': 'I just started watching this show recently. I must admit, I am hooked. This is a very funny show about a small group of people and all the situations they get themselves into.',
'overall': 5.0,
'summary': 'Not just funny, different.',
'unixReviewTime': 1397779200,
'reviewTime': '04 18, 2014'},
{'reviewerID': 'A7MQDGTE2DUKW',
'asin': 'B000H4YNM0',
'reviewerName': 'Arrie C. Jones IV',
'helpful': [16, 18],
'reviewText': 'This comedy series definately isn\'t for everybody. It\'s a completely different species than "Two and a Half Men" or "War At Home". This is a thinkers comedy series in that the jokes come fast so you really have to pay attention, but the reward is gut-busting laughs. The charactures are very well defined, as well as the group dynamic (the "gang") so you are immediately sucked in. They have spent a lot of time writing for Season 3, so buy this set and gear up for a new quality season!',
'overall': 5.0,
'summary': 'Easily the funniest show on television.',
'unixReviewTime': 1182211200,
'reviewTime': '06 19, 2007'},
{'reviewerID': 'A2BKX8Z2YIYPXR',
'asin': 'B000H4YNM0',
'reviewerName': 'Ashes',
'helpful': [0, 0],
'reviewText': "This show is amazing. I will say that being the first and second seasons, it wasn't as good as other episodes I've seen. However, the discs came fast, were new, and I will be buying more seasons. In fact, I'll be buying all the seasons! I highly recommend this show to anyone who's even slightly cool. Buy this show because it's worth it! I laugh my ass off every time I watch it.",
'overall': 4.0,
'summary': 'Awesome!!',
'unixReviewTime': 1270598400,
'reviewTime': '04 7, 2010'},
{'reviewerID': 'ADLF1XFPUOI9Z',
'asin': 'B000H4YNM0',
'reviewerName': 'asmo',
'helpful': [0, 0],
'reviewText': 'This is a refreshingly funny return to comedy and what a real tv show should be. All the actors are truly talented and they seem to be having fun. I really enjoy Kaitlyn Olsen she is an awesome physical comedy actress.. If you are looking for a fun not so safe show this is for you :)',
'overall': 5.0,
'summary': 'true comedy',
'unixReviewTime': 1356048000,
'reviewTime': '12 21, 2012'},
{'reviewerID': 'AKFX6X1RT1R1R',
'asin': 'B000H4YNM0',
'reviewerName': 'Auntie',
'helpful': [0, 0],
'reviewText': "Humorous bar owners often "slapstick humor, but can't keep from laughing. They pranks they pull are often absurd and you wonder how anyone could think them up. Despite this, I am watching these characters and enjoying it.",
'overall': 3.0,
'summary': "How'd they think this one up?",
'unixReviewTime': 1398988800,
'reviewTime': '05 2, 2014'},
...]
reviews = pd.DataFrame(columns = ["reviewText", "overall"])
for i in range(0, 100_000):
currentItem = data[i]
reviews.loc[i] = [data[i]["reviewText"], data[i]["overall"]]
reviews
| reviewText | overall | |
|---|---|---|
| 0 | CA Lewsi' review should be removed. he's revie... | 5.0 |
| 1 | I truly love the humor of South Park. It's soc... | 5.0 |
| 2 | This is a cartoon series pitting eight cartoon... | 4.0 |
| 3 | Yeah drawn together is great when it comes to ... | 4.0 |
| 4 | Seems like today's generation is getting reven... | 2.0 |
| ... | ... | ... |
| 99995 | Love YGG! My son loves this program! It's so c... | 5.0 |
| 99996 | Great show. Fun for kids and adults. A refresh... | 5.0 |
| 99997 | Quite different from the rest, but my two year... | 5.0 |
| 99998 | My daughter started watching Yo Gabba Gabba wh... | 4.0 |
| 99999 | My grandchildren love Yo Gabba Gabba and I do ... | 5.0 |
100000 rows × 2 columns
reviews.info()
<class 'pandas.core.frame.DataFrame'> Int64Index: 100000 entries, 0 to 99999 Data columns (total 2 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 reviewText 100000 non-null object 1 overall 100000 non-null float64 dtypes: float64(1), object(1) memory usage: 2.3+ MB
print(reviews.isnull().sum())
reviewText 0 overall 0 dtype: int64
plt.hist(reviews['overall'], edgecolor="black")
(array([ 6963., 0., 4065., 0., 0., 7074., 0., 16465.,
0., 65433.]),
array([1. , 1.4, 1.8, 2.2, 2.6, 3. , 3.4, 3.8, 4.2, 4.6, 5. ]),
<BarContainer object of 10 artists>)
conditions = [
(reviews['overall'] == 4.0),
(reviews['overall'] == 1.0) | (reviews['overall'] == 2.0)]
values = [4, 2]
reviews['overall'] = np.select(conditions, values)
reviews.head
<bound method NDFrame.head of reviewText overall 0 CA Lewsi' review should be removed. he's revie... 0 1 I truly love the humor of South Park. It's soc... 0 2 This is a cartoon series pitting eight cartoon... 4 3 Yeah drawn together is great when it comes to ... 4 4 Seems like today's generation is getting reven... 2 ... ... ... 99995 Love YGG! My son loves this program! It's so c... 0 99996 Great show. Fun for kids and adults. A refresh... 0 99997 Quite different from the rest, but my two year... 0 99998 My daughter started watching Yo Gabba Gabba wh... 4 99999 My grandchildren love Yo Gabba Gabba and I do ... 0 [100000 rows x 2 columns]>
plt.hist(reviews['overall'], edgecolor="black")
(array([72507., 0., 0., 0., 0., 11028., 0., 0.,
0., 16465.]),
array([0. , 0.4, 0.8, 1.2, 1.6, 2. , 2.4, 2.8, 3.2, 3.6, 4. ]),
<BarContainer object of 10 artists>)
index = reviews[ (reviews['overall'] == 0)].index
reviews.drop(index , inplace=True)
reviews.info()
<class 'pandas.core.frame.DataFrame'> Int64Index: 27493 entries, 2 to 99998 Data columns (total 2 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 reviewText 27493 non-null object 1 overall 27493 non-null int32 dtypes: int32(1), object(1) memory usage: 537.0+ KB
plt.hist(reviews['overall'], edgecolor="black")
(array([11028., 0., 0., 0., 0., 0., 0., 0.,
0., 16465.]),
array([2. , 2.2, 2.4, 2.6, 2.8, 3. , 3.2, 3.4, 3.6, 3.8, 4. ]),
<BarContainer object of 10 artists>)
reviews.head
<bound method NDFrame.head of reviewText overall 2 This is a cartoon series pitting eight cartoon... 4 3 Yeah drawn together is great when it comes to ... 4 4 Seems like today's generation is getting reven... 2 7 I liked this product. I am a big fan of Drawn ... 4 13 Ok, I've watched at least 60 percent of Drawn ... 2 ... ... ... 99982 This is the season that made Yo Gabba Gabba fa... 4 99984 One of the only things that is able to grab an... 4 99985 Wish Amazon would add the other seasons to Pri... 4 99993 My younger kids love this show! The songs are... 4 99998 My daughter started watching Yo Gabba Gabba wh... 4 [27493 rows x 2 columns]>
nltk.download('stopwords')
[nltk_data] Downloading package stopwords to [nltk_data] C:\Users\Studying\AppData\Roaming\nltk_data... [nltk_data] Package stopwords is already up-to-date!
True
nltk.download('words')
[nltk_data] Downloading package words to [nltk_data] C:\Users\Studying\AppData\Roaming\nltk_data... [nltk_data] Package words is already up-to-date!
True
stopWords = stopwords.words('english')
stopWords
['i', 'me', 'my', 'myself', 'we', 'our', 'ours', 'ourselves', 'you', "you're", "you've", "you'll", "you'd", 'your', 'yours', 'yourself', 'yourselves', 'he', 'him', 'his', 'himself', 'she', "she's", 'her', 'hers', 'herself', 'it', "it's", 'its', 'itself', 'they', 'them', 'their', 'theirs', 'themselves', 'what', 'which', 'who', 'whom', 'this', 'that', "that'll", 'these', 'those', 'am', 'is', 'are', 'was', 'were', 'be', 'been', 'being', 'have', 'has', 'had', 'having', 'do', 'does', 'did', 'doing', 'a', 'an', 'the', 'and', 'but', 'if', 'or', 'because', 'as', 'until', 'while', 'of', 'at', 'by', 'for', 'with', 'about', 'against', 'between', 'into', 'through', 'during', 'before', 'after', 'above', 'below', 'to', 'from', 'up', 'down', 'in', 'out', 'on', 'off', 'over', 'under', 'again', 'further', 'then', 'once', 'here', 'there', 'when', 'where', 'why', 'how', 'all', 'any', 'both', 'each', 'few', 'more', 'most', 'other', 'some', 'such', 'no', 'nor', 'not', 'only', 'own', 'same', 'so', 'than', 'too', 'very', 's', 't', 'can', 'will', 'just', 'don', "don't", 'should', "should've", 'now', 'd', 'll', 'm', 'o', 're', 've', 'y', 'ain', 'aren', "aren't", 'couldn', "couldn't", 'didn', "didn't", 'doesn', "doesn't", 'hadn', "hadn't", 'hasn', "hasn't", 'haven', "haven't", 'isn', "isn't", 'ma', 'mightn', "mightn't", 'mustn', "mustn't", 'needn', "needn't", 'shan', "shan't", 'shouldn', "shouldn't", 'wasn', "wasn't", 'weren', "weren't", 'won', "won't", 'wouldn', "wouldn't"]
words = set(nltk.corpus.words.words())
reviews['reviewText'][13]
'Ok, I\'ve watched at least 60 percent of Drawn together episodes out there. Yet i don\'t ever recall laughing past a grin. The characters are boxed into stereotypes leaving absolutely nothing funny to them but the obvious and predictable jokes . It has never displayed the wit of most "adult themed" animated shows out there. I cant see this show lasting many seasons more with the slight premise of the show. Tired stuff dawg!'
reviews['reviewText'][4]
"Seems like today's generation is getting revenge on the censorship from the pastand is trying to open up all cans of worms. I guess nice cartoons with good storiesand some morals are out and crude in your face stuff is in. Some of these arereally funny, have funny situations but its not for everybody and i would'nt let youngkids see it as you have male and female full frontal...characters urinating andother weird stuff....and also the writters must be gay...cause theres a lot ofgay situations... But what would you expect from a generation of Reality show watchers.....Hope the next generation of cartoons brings back quality instead of quantity of crap."
reviews['reviewText'] = reviews['reviewText'].str.lower()
reviews['reviewText'][13]
'ok, i\'ve watched at least 60 percent of drawn together episodes out there. yet i don\'t ever recall laughing past a grin. the characters are boxed into stereotypes leaving absolutely nothing funny to them but the obvious and predictable jokes . it has never displayed the wit of most "adult themed" animated shows out there. i cant see this show lasting many seasons more with the slight premise of the show. tired stuff dawg!'
reviews['reviewText'] = reviews['reviewText'].str.replace('[^\w\s]',' ')
C:\Users\Studying\AppData\Local\Temp\ipykernel_13572\3380835693.py:1: FutureWarning: The default value of regex will change from True to False in a future version.
reviews['reviewText'][13]
'ok i ve watched at least 60 percent of drawn together episodes out there yet i don t ever recall laughing past a grin the characters are boxed into stereotypes leaving absolutely nothing funny to them but the obvious and predictable jokes it has never displayed the wit of most adult themed animated shows out there i cant see this show lasting many seasons more with the slight premise of the show tired stuff dawg '
reviews['reviewText'][99984]
'one of the only things that is able to grab and hold my 15 month old daughters attention it is semi educational too'
reviews['reviewText'] = reviews['reviewText'].str.replace(r'[0-9]', ' ')
C:\Users\Studying\AppData\Local\Temp\ipykernel_13572\391229718.py:1: FutureWarning: The default value of regex will change from True to False in a future version.
reviews['reviewText'][13]
'ok i ve watched at least percent of drawn together episodes out there yet i don t ever recall laughing past a grin the characters are boxed into stereotypes leaving absolutely nothing funny to them but the obvious and predictable jokes it has never displayed the wit of most adult themed animated shows out there i cant see this show lasting many seasons more with the slight premise of the show tired stuff dawg '
reviews['reviewText'][99984]
'one of the only things that is able to grab and hold my month old daughters attention it is semi educational too'
reviews['reviewText'] = reviews['reviewText'].apply(lambda x: ' '.join([word for word in x.split() if word not in (stopWords)]))
reviews['reviewText'] = reviews['reviewText'].apply(lambda x: ' '.join([word for word in x.split() if word in (words)]))
reviews['reviewText'] = reviews['reviewText'].str.replace('[^\w\s]',' ')
C:\Users\Studying\AppData\Local\Temp\ipykernel_13572\3380835693.py:1: FutureWarning: The default value of regex will change from True to False in a future version.
reviews['reviewText'][13]
'watched least percent drawn together yet ever recall laughing past grin leaving absolutely nothing funny obvious predictable never displayed wit adult animated cant see show lasting many slight premise show tired stuff'
reviews['reviewText'][4]
'like today generation getting revenge censorship trying open guess nice good morals crude face stuff funny funny everybody would let see male female full frontal weird stuff also must gay cause theres lot would expect generation reality show hope next generation back quality instead quantity crap'
reviews['reviewText'] = reviews['reviewText'].str.replace(' +', ' ')
C:\Users\Studying\AppData\Local\Temp\ipykernel_13572\4099604784.py:1: FutureWarning: The default value of regex will change from True to False in a future version.
reviews['reviewText'][13]
'watched least percent drawn together yet ever recall laughing past grin leaving absolutely nothing funny obvious predictable never displayed wit adult animated cant see show lasting many slight premise show tired stuff'
reviews['reviewText'][4]
'like today generation getting revenge censorship trying open guess nice good morals crude face stuff funny funny everybody would let see male female full frontal weird stuff also must gay cause theres lot would expect generation reality show hope next generation back quality instead quantity crap'
reviews['reviewText'][99984]
'one able grab hold month old attention semi educational'
reviews[reviews["overall"] == 4]["reviewText"]
2 cartoon series pitting eight cartoon pseudo re...
3 yeah drawn together great comes crude humor fi...
7 product big fan drawn together best season far...
15 short lived show pretty decent would recommend...
25 always live show day funny
...
99982 season made yo famous content top shelf entert...
99984 one able grab hold month old attention semi ed...
99985 wish would add prime instant video getting lit...
99993 younger love show catchy careful though get st...
99998 daughter watching yo still learned numerous ne...
Name: reviewText, Length: 16465, dtype: object
textPositive = " ".join(rev for rev in reviews[reviews["overall"] == 4]["reviewText"])
textPositive
'cartoon series pitting eight cartoon pseudo reality environment watched three three one overall three worth watch one best average price box set affordable laugh possible start watching season show almost always recommend starting season one much sequential story line parody satirical humor type humor everyone understand subtle yeah drawn together great comes crude humor first season hilarious sometimes found second season still great season definite buy fan crude humor hilarious product big fan drawn together best season far extra cool wait next season comes short lived show pretty decent would recommend show adult cartoon parody spoof stupid reality reason good voice work interesting would recommend adult cartoon fan always live show day funny product promptly stated drawn together funny faint hearted like humour crude full frontal season funny received product promptly hubby birthday looking item awhile glad able come like politically incorrect humor barred toon went little gay season totally outside realm drawn together great love straight silliness thing think missing scene one episode great love series early nearly good later avidly series discovered great narration excellent diverse powerful torah applicable awesome anyone learn set great casual learner set getting going back mid much dramatically field largely premise narration kiley jean pretty good though cal lull sleep content good well interview religious interweave various together explore unanswered unanswerable integration thought well done believe either find set entertaining enlightening heavy duty scholar pretty light weight bulk us though learn lot pique interest feel comfortable great religious agenda behind cannot evaluate must dispose difficult series thought still good educational would recommend set church study group teen group happy see pop n got season happy r quality get enough feud love blossom spencer priceless got south nowhere mail today havent watched yet look main menu doesnt type anything menu right plain boring brother even room said menu way better look bad thinking cause wasnt major label thats cheap looking cause think selling quality dont yet havent watched picture really really good show f even though dramatic show cut dry even language used today worth season mailed speak thought would share opinion go buy show since first time saw thing like opening song wonderful show new series pretty good hell earth season two come arrive season one seriously sense whatsoever season two want watch order anyway love show watching show recently instantly hooked rating show would given however set available satisfactory made order received mine mail spot irritating overall would still buy would rather deal show mature adult believe lucky like coming like hopefully easier script story line acting good look forward series south nowhere great show know story line teens going happy purchase item days arrival time happy movie needs movie good delta force movie highly recommend video luxury martial gym nearby trying learn basic fighting knowledge personally real formal stand training found video informative precise informative good collection youth need master effective teammate really good one instant video volume series worth watching like frontier although got video long time ago understand first year two later got table teach since roulette decided watch understand believe start making chips simple format good content though could something pool trowel used helper finisher background one driveway use pool trowel extension handle fresno steel trowel necessary helpful good job explaining process kept video time short interesting tension tall good always believable often uncomfortable like show would known available wire blood season latest installment television mystery serial based works reach series police procedural green psychologist tony hill criminal profiler produced green production company granada one biggest domestic series surely many shown last episode series shown spun addition green series mark detective sergeant emma handy detective constable recent detective inspector hill foil romantic otherwise season simply based single episode based one however fairly high quality solid well known author intensity edginess grit ability break new ground course leading light mystery writing school known tartan noir home may ask unusually bloody violent bit dark humor written scot born rate series set fictional actual city work journalist interesting city use handsome hardly ever seen full interesting looking architecture highly diverse population unfortunately cast make use local accent dialect puzzling oversight considering green standing granada series quite difficult follow us colour amber white man young black girl busy street morning rush hour strong complex mystery dealing interracial sadistic ritualistic killer work another strong intense episode daring treatment program would ever giving us really unflattering portrait black voodoo preacher serial killer attractive young clever perhaps clever outing notable chiefly introduction character clearly based one ten year tortured two year old bulger patient hill crime young young man hill greatly concerned well anything yet another apparent serial killer work another clever one good mystery never go sad arc child murderer green course handsome man good actor us intense intelligent portrait hill could make saying love series however disappointed closed series wish admittedly show everyone silly sometimes still potential funny clever sweet think phantom great show good character development great think phantom wrong love show like even though rated know show let tell show place fictional city amity park year old girl sam geek tucker attend high really think anything else one day accident lab got ghost city amity park ghost like white trying keep ghost half secret lancer wrath teacher sam tucker always back needs hope review helpful one top favorite give two always happy see collection climb ladder popularity first episode series hilarious set around high school college set cover politics hot day covered generic ranging pop tart eye anyway fun would recommend episode anyone looking good clean laugh without carry weight politics depravity fun excellent collection stand comedy great escapist entertainment since laughter best medicine right prescription laughing hard quite funny comedy personal think something everyone collection would recommend collection anyone adult humor pretty much norm stand free prime price definitely right kindle device could watch airplane laughing seat regret could never get episode play whole reason interested season though funny stuff love stand comedy couple good love watching commercial free comedy stand caught two sometimes need quick easy pick funny man one planet stand one seen funny guy really fun stuff early hoot plan watching laugh cringe good great mood laugh wont disappointed depressed looking ground breaking might job like enjoy show older set good material usual whole family watch far ralph funny identity joke real hacky bush league stuff wonder got almost fun wade good seem much better wish way review like instead whole season funny interesting great way pass time usually enjoy comedy good show great opportunity check never much lots watched rob funny looking forward giving shot since short thirty first stand worked back sometimes bit carried away tend though comedy comes across dopey yet easy relate clean naughty uncouth family fun comedy dirty clean long comedian deliver audience well funny comedy central always great job stand sure like less bring smile face appreciate comedy central keep language especially since many seem drop frequently annoying would rather hear wish would keep indecent wholesome child friendly comedy think able expect uncomfortable hearing room overall find quick little stand sessions great entertainment hanging even waiting airport thanks available mostly still funny want laugh check teenage daughter used watch show younger brother sister occupy many snow days home school get thrill spending time big sis watching fun show year old son thought pretty good also therefore would recommend daughter series excited could watch prime loving first saw season one two ordered came back season one complete proper order one twenty figure removed deal original still minor change picture one actually season one misspelling one one back let figure one also still extra please read review season though first nice see show available especially us want watch inch screen bad news print demand disc lot stated product description r manufacture demand product although slick package design complete bar code full color still help feel little something could made setting recorder tape show r disc one homemade stated product description play computer drive playback regular player disc player difficulty reading disc portable player got hung certain nothing annoying getting half way episode finding get see end incidentally fast forward disc bypass miss dialogue duplication well example commercial break sometimes entire dialogue even get repeated another important aspect complete season package advertising might lead believe actually first half first season mystery meat one kind parental bonding attack killer garage sale mistakenly titled attack garage sale splitting want bitter love brother keeper gray fanning teacher year first feature last one waste disc extra even non existent price plus full series available demand wait want watch go ahead purchase disc mind tiny graphics inch screen go store year old son give another half star obvious watched agree level best usually even good still decent actual character development missing sadly occasional decent story like show like alright well entertaining well made cartoon quality fun put one well worth time good fun see locked onto show enjoy good enough cartoon may age appropriate fun silly predictable fun watch embarrassed admit like heck got silly fantasy violence like knew exposure ghost goo could turn superhero radiation yes ghost goo live learn cartoon action child cool attitude someone adult educational feel good son watched whole series together educational like many actually sit watch without wishing could plug year show watched many times hard get away one mind watching phantom impossible cynical viewer made love wonderful lighthearted gem told story boy growing handling ghost network create depth character development story increasingly better episode unfortunately drop poorly season three season one beginning main cast eccentric little little majority grow defined slowly gains confidence hero life normal alter ego older sister jazz truth behind brother decision secret softly embracing family ghost life turns spoiled rich brat kick butt ghost revenge later justice truly character debonair mysterious complicated persona clear myth arc key role struggle darkness lot continuity despite half filler since first season meant establish learned love time good parental bonding numerous flawlessly roller coaster look tucker inferior complex towards newly supercharged best friend without loosing bitter status quo beginning manipulatively awesome gray character new life turns pampered princess ghost fanning established solid story making sam romance lovable season three deplorable public bar antagonist succeed maturing accept maternal topnotch performance mother son relationship control prove sam would love interest best episode season one magnificent brother keeper excellent character development older sister jazz know constantly shielding harsh life see potential brother opinion sentimental phantom eh average mystery meat properly second half less believable one kind first sign use major plot minor subplot b attack killer garage sale fine clumsily tie heroism normalcy succeed better love commendable job radically different ghost zone tackled dumb subplot involve stereotypical predictable romance teacher year morally less action comedy morning educational program decent lucky love love arc secondary otherwise unremarkable million dollar ghost gambit faulty father son bonding jack downright bad splitting around deplorable despite growing darkness arc meshed antagonist lost purpose halfway series jarring concept right wrong sam lastly fright night current growth making unlikeable jerky first good quality give nickelodeon credit put proper chronological order except parental bonding episode two one kind episode got switched front back also prone error first volume alone example chest insignia something receive season two partly covered second feel casual type luxury mandatory may enjoy set high price slightly reasonable still contain let along get enough good action fun animation year old daughter actually show well son show saw engaging even daughter watch show great good entertaining humor good stuff fir teach sit watch year old grandson find self laughing watching enjoy watching kind power puff type show speaking hilarious episode must see every one name movie pack got almost feel like giving movie start amazing sing young one best fu ever seen seriously best time movie little want plot away look thought awesome little fight sing lo son lee sing thought second real highlight film go along story southern fist versus northern leg best add grand lung great movie couple black dragon watchable dirty print recommend tree line pack cheap get really good collection regarding funny stuff good light hearted slapstick style comedy well done everyone needs time time post comedy central overall watching bunch work trend watered politically correct world yes often always race sex weed smoking overwhelming headline topic happen world specially war government stripping us need use medium break silence hard sure funny content seriously either white men stupid loving smoke really watch season currently watching get cover image comedian actually bring hard people interact yet seen line actually imagine limiting factor think comedy network content hope wrong continue watching hope see hear deep well newly material bill burr list recently saw like russel pretty good papa great stanhope lewis black rather funny great russel brand talking ya thats picture need rather annoying skit mike great delivery overall interesting add later hard day sat feeling blue came across show great could watch upcoming well couple rolling laughter best part could comedian feel moral connection great show guess laughter best medicine day bad mine greatly like comedy probably enjoy show variety love good quality video many choose love way season set funny entertaining great passing time need something funny watch looking bill burr funny hell work still worth watching good man many make people laugh different ability alter voice hysterical able rate individually reason would helpful include feature love laugh comedy nice way relax like seeing different love fact see free prime watch bed kindle husband nice way drown noise pleasant good great watch wish full screen one done guy great problem video long funny display aspect ratio definitely wish p known well many still worth watching love variety great dinner entertainment length episode many featured gone even bigger great see material long enough use short distraction need got love funny stand show look forward recommend one want good laugh funny explain show funny straight funny fun see start career recent burst popularity thought video good rhythm flow bit erratic great new old come stage perform really good stuff great comedy lots laughter find lewis black laugh funny good commentator politics daily life awesome see big nowadays first long marc best thing instant cant get enough classic comedy never hilarious like love style comedy catch definitely enjoy still classic stand make laugh gift video season comedy central comedy top draw television person even radio great watch adult stand see hilarious rented going paying cable every month get want days watch complaint put stand comedy stand equal nice collection available funny series good way get know new talent nice short well produced check may still funny prime season prime watched like lewis black half hour longer favorite done show marc abound fun see one place excited stumble across much overall made living room filled laughter could ask watch another stand soon like favorite channel like watching sports enjoy whole family hilarious fantastic seen norm voice quite glad stand routine went dodgy serial good performance good show kept laughing night recommend watch much possible might split gut great mood stand comedy glad offer wide selection show give good laugh thanks free chuckle prime collection however sift stuff end video free want work looking something watch bed came across gave good good availability seeing favorite demand certainly great thing experience clouded less stellar video resolution series would rated five better resolution possible love comedy central prime comedy good great love funny funny race minimum set pleasantly since black tend fall back racial humor really go wrong watching stand funny better came comedy central short caught gem question yes content mother lode hilarious seen many times still funny heck somewhere noggin rip love stand really love prime account good bunch right finger tip really lewis black old one night coming entertaining make laugh lot time goes pretty quick watching crazy funny show min various great nothing distasteful vulgar good entertainment even though much comedy still relevant also fact watched full negative put type humor overly suggestive lewd one favorite performance comedic gift connect audience deliver hilarious blend wit sarcasm like lot streaming comedy block work watch listen stressful day become less chaotic able laugh throughout since blown highly recommend comedy casual great stuff funny even smith however last guy anything funny otherwise way better overall thought would hope azon lighter fare watched certain know comedian like work would watch like find work offensive taste better overall level quite good outstanding date back eclectic source comedy wish censor certain comedian dialogue love always genuine love laugh really enjoy watching different go sleep stress sweet sleep plus love free prime good able escape cursed especially show good one every way best work artist good quick way get know nice seeing different one early one later interesting see rising ago continue spotlight today never regardless funny solid stand fan likely enjoy episode watched funny love able watch different go show husband watch ever time lots great fun basically good selection satisfying use series relax restless bed old school funny back back day time killer bed watching would likely never able see great talent great see classic made cartoon network famous finally put exactly favorite still pretty good mojo still favorite tough love speed demon dos slumbering enemy come mind could possibly forget episode mojo barney reference skit one best admit review bit though huge fan voice actress tara strong also like e g daily buttercup request cartoon network please start dexter laboratory cow chicken courage cowardly dog would also great shelf also maybe maybe could consider set first second season rather one time like grim billy really evolve well style show billy bullying grim billy working grim least given amount taking abuse far set goes though great really add appeal great price p always used get course watching show care cool animation cool animation throw bit adult humor interesting good got great entertainment always felt know maybe little guilty much like show mean uninitiated would seem girl power superhero cartoon primarily young year old man love like best modern animated tick season one example combine kinetic visual style humor show blossom buttercup may old many way one classic episode alas later season meet beat composed almost entirely girl chief intelligent simian mojo also much audience think modern bland loud derivative way animation teen looking give try rare combination smart funny barely hint cynicism crudeness much family find cartoon network kept thoroughly two long across country brand new plastic place made really happy bought video collection clue found show like educational value really older little guy talk rock hard place see nothing bad little guy cartoon work older first season collection already together one convenient spot definite plus lot fun two blossom surrounding picture face nine seen cool exception insect inside creep best complaint collection little lean sure original student film along pencil short couple would nice least either creative bunch maybe done movie let us inside creative process interview worth price looking forward second season already definitely recommend seller great box little beat expect old still classic love show shipping speedy came within week condition excellent cut many introduction screen music overall great great quality show neat acting much fun fan show left making like enjoy well good show good product deal great case little bit case sealed looking brand new side open cracked piece case missing moment saw instant hesitant buy price however thinking day two finally buckled bought rating four moment certain available primary method entertainment next quality excellent far run love enough first season like per season bonus awesome short commentary whats give season workout routine lost much weight impossible routine complete entirety become much easier seeing generic express great workout press pass initial pain say rapid body keep hooked still go work shape build endurance already product good way jump start exercise program looking inexpensive way exercise would recommend opinion far people program least funny opinion people base entire routine either ethnic gender funny husband comedy like past thank love funny easy find watched even told friend love prime many color disappointed see large blur screen routine interrupted guess protect hearing seeing someone else offensive despite season great definitely recommend funny good enough like got stand available el primero de se la total de inclusive en en en el closed caption solo en la de un con en e would season available done well color stable sound set perfectly throughout program old bonanza first watched every chance teens early adult life since tried catch whenever possible fan knew would happen maybe would finally get one episode best would also get least duplicate consider little less great get one copy episode able play want see tuning rerun one watched half season far almost completely satisfied yes said almost slip one favorite option play settling back favorite show say play disk select second episode first one finished select third another episode hard work thumb sloppy worked know hard work place option menu hope corrected season please release half quit another one favorite last paramount used watch bonanza back good old days life less complex great see instant play rock story typical peaceful setting ranch quickly engaged brotherly fighting action fairly quick little joe pretty spider bad trap gullible could fan ask got action adventure romance scenery awesome watch enjoy ordered father day present father big bonanza fan first season bit stiff writing forced amazing could say straight face show produced still joy watch grew watching lot bonanza one though mainly show good mixture humor tension drama heavy handed times green heavies dan blocker lighten mood let honest also chick magnet essential show comic relief sometimes seem rushed suddenly used need wrap quickly enjoy enjoy able watch show sexual content limited brief language five old bonanza first came air back far remember family never episode entire recently away lost creator wonderful finally official first season bonanza unfortunately prevent entire officially us although pick search best music know love anthem copyright quality picture either seem like bootleg probably pretty much copied ad public domain get grainy collection theme music sound crisp sharp production perfect picture see also sharp first time ever saw show misled bought set included certain television merely video show general still interesting brief clips nevertheless die hard bonanza fan love official bonanza set say hurry release rest old fixed fine moral structure well rated four get whole series got see think best one done get see side especially dee overall funny entertaining show sometimes uneven hit miss like lot improvisation frequently work uncomfortable funny great works funny hell show amazing say first second good seen however came fast new fact highly recommend show anyone even slightly cool buy show worth laugh ass every time watch premise new execution hilarious wit twisted humor deliver goods one rare kind beaten audience path find stumble get share win deserve really funny show would also like point naysayer far actually used word think earnest attempt take banal f x channel way seriously seen one seen watched since bought watch son never seen series found watching hour funny enjoyable tackle pretty heavy moral happy speed shipment product everything came seller show almost good saying lot tightly plotted wickedly funny sunny airing biggest complaint cram much plot last benefit full without show problem somewhat regardless watching season three soon never watched entire series caught episode recently binge watching entire series first episode love age never want stop pretty funny would recommend watch series human prepared show idiotic equal opportunity offender hope better progress funny actually loud happen ridiculous probably happen often would think probably watch season damn funny people sensitive race religion bought gift friend mine never seen show needless say fan love ensemble watching finished first admit pleasantly quirky group play well hard find complaint set probably already know show need run kind stuff little bit problem running nights new episode run get amazing awful would rather get teeth watch golden like ross smoked crack like jerry even neurotic like big bang actually funny like barney glue continue cast hilarious episode one wish watched sooner funny cleaver weird time never thought would good interesting making want right admit watching actor writer producer day rim two disc special edition ultraviolet see work done huge fan crime animated western choice fully aware show something reputation dark offensive urging friend watched couple worth verdict yes show terrible drop dead hilarious well pretty dark almost entirely unsympathetic hard laugh get trouble show four work paddy failing bar said vain prep money good solve anything mac perpetual adolescent convinced tough guy sweet dee shrill feisty twin sister pursue acting career luck idiot psychologically scarring past nonetheless life gusto quirky sense humor said scheme make money find love least bedmate stab back otherwise improve lot life often end screwing though morally bankrupt people heart viewer laughing rather feeling sorry season fifth loser onto gang frank dee low life father depraved bar shoehorn show definitely even nasty people seem care hurt struggle get ahead life somehow works show benefit almost entirely unsympathetic gain viewer empathy shred decency well heartbreaking past impossible feel bad inevitably blow screw top hilarious whether trying make bar underage trying chase new neighbor away terroristic pretty sure deliberate part show bad happen good people irredeemably awful people digging nasty feel guilty laughing acting well everyone way much fun hilt particular enjoying star power overwhelm show humor minor excellent well mostly deadpan hapless rest gang wonder many able keep straight face definitely nonetheless darkly hilarious show good laugh mind said laugh expense quintet mature first season lot main funny self centered ways second season added frank deranged father figure story revolve around funny maybe better leave well enough alone funny great deal one low price warped hysterical favorite character excellent comedy troupe really stride season miss witty funny humor relate find laughing cringing watching show amusing watch morally bankrupt history admittedly becomes little many pleasantly box series good writing good acting laugh loud showing second season gave little boost always dependable turning mundane hilarious basically jackass bar get offbeat best venue young beautiful often hi old ugly good portion worth time money always sunny great form entertainment love character someone seen show job enlighten gang racist classic episode television series episode dynamics like due feel handled issue race comedic non offense way still pushing funny beaten path humor great never know expect pretty much self absorbed funny thing brother trying get watch show forever turns get day everyday one day giving commencement speech alma mater college new always sunny show new also course actually start watching show really enjoy almost best part prime free beat hilarious stuff whole cast incredibly stupid half fun let tell lot enough go around series watched two far clever bold far story character cable plan dont get see channel channel series cable rather saw season look searching savage funny buy st two dont regret purchase least one buy whole series one really sense humor comedy pretty low brow selfish bottom barrel little come easily bunch would come riff different barred vulgar hell outrageous like family guy development really standout four draw times remains top might get tired overall series great diversion fantastic show never win republic present colorado b w fully digitally born age musical rocky group international formed group bob spencer sons group known dick finally included cool water tumbling first western rhythm range starring bing went solo made first starring film western made almost came television show ran director producer harry screenwriter screenwriter jack cinematographer musical direction supervision peter editor story line plot civil war drama set colorado special federal agent jerry burke put end conflict southern burke brother union officer stone later fame brother action gene better singer sons backup cinema three well known veteran b western vester give boost wonderful night prairie ring de banjo de oh cast lieutenant jerry horse gabby gabby stone burke alias captain loft weaver vester sam sheriff jeff henry colonel bell henchman bucko saloon kirk stage bartender gold crown palmer aka franklin date birth death apple valley gabby aka date birth may new death burbank new book empire book reference trivia scrapbook paperback reference trivia scrapbook written western film historian whose thrilling b western yesteryear us back childhood family wish come true wonderful past pen top box office draw republic went see big screen got exactly marquee said plenty action hard riding song two thrown good measure country music hall fame member sons king got horse trigger rode every one trigger age thirty three dog name bullet almost many trigger theme song happy written queen west wife dale wife dale hall great western national cowboy western heritage museum member sons hall great western national cowboy western heritage museum three death miss one empire hesitate rush pick copy today great reading days come guarantee thanks collector character identification chuck old corral b western bobby j author trail talk empire bob author real bob interest b looking forward high quality vintage serial era b order copy plenty available stay tuned top notch action mixed musical adventure title check b total time min republic nice see stone previous doc role long series gabby always great take us back simpler times one early gabby side kick undercover union officer sent colorado territory stop secessionist uprising gabby stone rest cast admirable job film notch average b western made time kudos republic spending time watching series one day available found switched since prime account able find continue watching series love prime free shipping must say instant video service needs nearly user friendly hope made near future able compete stuff hard believable entertaining jack superman love watching show suspense series definitely never know going come around corner actual bad guy always guessing never actual streaming show either like seeing convenience would annoying wait week next episode delivery real fast gift cannot rate quality price decent spoiler warning way start show kill progressive president kill nice later fool long potato head tony permanently taken play bye bye pretty much show anyway except potato head still waiting kim die must saving one plot line show popularity disbelief really key enjoying series made upset fifth season fantasy wash fact less think try figure show enjoy perhaps review season higher mind set much love black president love clone better seem depend jack work jerk boss level another making jerk president welcome change previous boy scout glad show sex scene worried seem series season kim gone though return gas attack would choke death luck bring one handed older dude jack tried take jack still jack mean seem able anything wrong level might result many many people somehow always right thing show part nerve gas holding breath something potent would skin quickly hope series revealed jack actually superman one direct nothing else would explain eagle must mention choice include aka aka aka goonie one jack boss good job jerk help wanting call somebody satisfying seeing get butt die gas however like say made popular could worked line aint eaves something one eyed willie new token black guy good know going die long another main black character soon get one better watch finally comment ending unless thinking series jack big love however heathen know jack may wounded tired chained give two heal tip top use mind watching show highly recommend season like political suspense intrigue addition usual external wife well palace interplay complex layer intrigue excellent startling start season jack forced back game palmer tony targeted death episode include airport hostage taking segment great bill manning pierce really good season fine acting wow factor gone similar jack still still immensely next episode time time always good intense would like celebrate success minute day incredible action new good season actually best season good plot president thank god time take jack back dead back track help bill season finale saving many good end season leaves open door another interesting season give think time much sometimes feeling people missing getting better better watching wait new begin seriously watching comedy much better incompetent agency group much worse one thing watch show production value understand lower production one almost bottom barrel think dialogue get stupid prove wrong story line supposed take place hour period little like jack hair getting longer hour make good comedy whole story line revolving us president also good comedy anybody could get close enough first lady drug without secret service reaching touching outrageous show good drama wrapped story excellent job taking mind anything love walk treadmill watching time watch rate comedy rating serious drama would rate lower much horrible writing consider drama look comedy show provide many times four show predict everything happen constant meaningless babble least one two double within limitless bad guy machine gun fodder president entire government constantly around despite fact capital still c technology working magically plot twice three times effortlessly escape keep plot alive constant ceaseless bureaucratic fighting jack forced work outside chain command secret government jack pretty much person government good judgment judgment unerring god like constant jack peril emotional manipulation tension frequent torture bad anyone else suspicion effortlessly jack hard kill lieu torture terrorist demand given written guarantee immunity president attorney general used yet keep watching also attempt made respect real time angle first season quickly fell away people cover accomplish miraculously tiny time anyone l set aside hour hour time get anywhere drive downtown l example season wake federal judge middle night get sign warrant get federal marshal get marshal warrant within call terrorist telling real much less real time yet sort silliness time show also time often lost top hour mean often lurch ahead say real time element pretty much joke yet keep watching probably worst thing plot whole entire hour period never really comes together sense always sometimes major like one previous reviewer noted regard fifth season four people knew really dead end season four president palmer tony none would ever told bad even though know silly manipulative tired even try respect real time gimmick neither big picture ever really come together make sense keep watching show love jack unerring patriotism bravery decency sense right wrong willingness right thing often great personal cost love show tension constant boil love way frequently fight stupidity bureaucratic everyone relate one better series seen try get complicated many plot couple well worth time watch good action good character interaction season much better season enjoy type drama like role end season jack received disturbing phone call friend former president palmer palmer informed jack man coming take custody kill help tony mary jack death goes day jack begun new life fake name soon enough forced leave new life behind becomes apparent people jack fake death targeted jack framed murder jack dilemma back headed bill also woman used love kim raver love put hold potential murder jack much worse come fifth season mixed bag first episode one exciting series would ever many high throughout season unfortunately season little bit mainly due fact problem age familiarity season good right simply feel little familiar may roll prospect yet another mole within seriously security place beyond pathetic jack forced operate outside authority someone deal even get low season made high able turn latter half season much could said quality without giving away store special measure ask special set wonderful last season following season many also commentary season also jean smart special recognition along roger cross charging prime program always good suspense good story line enjoy watching government especially must really lax security every time turn around plotting workplace better stay dark even presidency suspect kudos jean smart president wife portrayal first lady deserving know whether got one sure one fox definitely learning past experience season clearly one best best irrelevant sub way recent plot slowly knowing season going usual suspension disbelief enjoy disappointment season fact ended past jack could less expect relax good show season back stabbing sub get bit less amusing season sense plausible reality action non stop usual plot big enough drive train despite turns compelling recap past season good tedious repetitive lackluster writing morally getting good five good overall old meet unpleasant quickly outrage invest action keep writing fresh direct action obligatory end episode twist love found season much less although three four costing set star word caution explicit violence brand trying hurt us rubber jack medicine abundance probably violent show suitable hyper sensitive think normal people born noble good mean us harm last season president display loathing surrounded divided cabinet staff neurotic first lady brilliantly jean smart peter excellent whiskey voiced jack outstanding job disguising side terrorist patriot line way last episode honestly believe much like lee new addition homeland security director sent assume control see light realize jack security comes smarmy brown nosing power hungry assistant chief bill best line whole season get way little kisser went around living room back fine moment yet hotel bar drunk patron want miss probably worst casting time division kept blurt needs work losing brogue cast supposed believe brilliance downfall course jack honest miscast role beginning deadly even imposing looking man fact usually physically guy every scene portrayal jack great best mind aim loyal supporting cast law enforcement operate electronic fly anything shoot weapon marksman skill secure presidential immunity faster anyone sensitivity add man purse famous would make cat envious probably also happy working fashion finally left enough loose set next season something always locking network series renewal season high recommendation promise want next episode badly good thing first four six available release one best series could done better realistic wise really love season matter might think season five much wait season six great show find series somewhat find watching quick succession plus side avoid frustration wait week see going happen minus side find story never really e someone someone always getting treason fired jack body higher might expect small nuclear blast guy barely every praise cast back yet another crisis still maintain glad watch series right well remain critical series thinking appropriate release series time deny series hope heck know really goes nearly horrific great series hope fox made mistake saying included well shocker palmer everything else head spinning everyone suspect season jack overly invincible superman season mean every season seem overwhelmingly season white house every time think one person turns someone everything government unit easier access every season everyone get place problem maybe time security protocol world never safe place get better protecting people office lot phony seen season watch fan show good yes easy watch definitely yet laughable bit predictable went along great acting everyone part season might within first best still worst one favorite drama potential drawback stand ideally watched sequence past many shown network television several used free credit get episode thus filling gap episode good good action ambush motorcade president tension would happen first lady riding family one question however often watch never best sequence time consuming drama previously seen idea outcome something series pretty good first time story avoid predictable series established almost anyone suddenly always good excitement suspense jack always wanting anxious next episode awesome another great season gave b c season season think season best season yet many usual really hate live l perhaps getting bit formulaic always mole mind similar innocent person tortured suspected spy old cast especially kim act nothing show except disaster magnet coming back jack always working outside someone inside always great show great problem found particular season every slim case set least one disc stay spot plastic broken good deal great show watch one episode walk treadmill time go quickly gone far enough good action riveting enjoyable first season many many unexpected plot season kind given good return form series previous president palmer season see jack come back dead many group gotten nerve gas way story slightly straightforward middle season still quite exciting stuff kim comes back short period also one best show seen ever seen u u r missing never disappointed series better better cast superb came back vacation wait put next episode season five box set good shape gave gift receiver love show love able stop watching edge whole show beware man really violent dark totally avoid humour show around proposal give non stop action non stop also lot bloodshed also see incredible amount highly trained superbly people willing harm good old uncle sam muslin german also show capable killer less time say killer suspension something show see reality check news show since respect tha canon show respect also one consider season five best season many kim raver acting better ever rhythm way although death toll incredible high even show kill palmer one single season yes think best season good season sad many favorite always keep viewer guessing survive next add collection beautiful talented actress watching jack starting get old crazy five season starting look like crazy thing still fun though since getting watch one time probably old watched originally broadcast one episode week would waiting suspense unlike really predicable least far goes jack said done still fun love feeling like story every season would get give momentum building best far cant go wrong show really although frustrate make think smart people running sure would suspense watched weekly discovered series pleasantly hope next season la world bigger think bit much many impossible high tech weird someone enter building badge oh well fiction another great season however season random unexplained long get deep question happen fine event really never able happen must admit entertaining however formula different event rogue agent regard protocol agency someone seasoning someone white house undermining everything accomplish course jack see way said still edge seat love series bought previous posted sure hope season set otherwise sale borrow rent stop fence whether purchase set lack decision overall good show hard believe trained unit would mess bad time another great season love prime added capability great way take show gym needless say fan series however new hence reason book accordion similar easier use new set individual dare say cheap would little extra old hope someone production might read otherwise superb series looking forward release current season next hope old always suspense wait see next episode works perfect love jack people wasnt one better however series like lay potato chips eat one times watch watch see day watch season faithfully confess thrown popcorn screen already ask hopelessly addicted love jack survive impossible always hero well written superior acting watched whole series season differently bought still great even among great episode know could give adrenaline rush good show little redundant always kill people well done show great camera work cinematography great job consistency season sometimes plot president like president unrealistic made strange watching opinion prefer something could happen real surround might unrealistic definitely least favorite season nearly probably third year watched excited show back though may somewhat different enjoy covert affair good luck crew hope new show well actor president excellent almost read mind watch facial scary good show engaging look realistic good job keeping engaged wanting watch next show personally find later better surely better job certain addicted getting pretty far fetched jack take challenge long received copy design photo junt know correct copy kind mistake thanks seeing two understand new thing start looking mystery type yet enjoy glad opportunity computer although list available actual page got mac problem series get price via unbox man show intense love fast tempo always edge seat get process worked connection still took hour minute episode able watch movie machine unfortunately mostly use seem possible view subtract star rating regarding story fun story better usual nickelodeon fare first mostly interest star trek canon show really stride season among best story star trek show exciting plot feature quality lots alien fascinating technology season season whole even better star trek heck episode impulse would make great horror fi motion picture longer fine upstanding man loyal trustworthy extremely inventive tight killing people humanity would like world first one entertainment whole family season refreshing see achieve success without usual arsenal used good disappointment went season found longer free prime first season lot colorful season one meet greet enjoy entertaining old series worth watching much interesting see everyday save day nostalgia still cheesy awesome first time dean best always getting know defeat sinister watch one episode hooked watching kind show somewhere batman series numb appeal uniqueness approach problem come across anything grateful job fairly successful series therefore great deal politically correct preachy ness nice diversion ordinary used watch show fun watching show watching couple per week since show quality quality without box season someone something decent action usual occasional grainy real footage mixed news film good trip memory lane watched show even though stand hi cinematic prime time series today still refreshing series seeing dean put equally entertaining going back watching younger work recommend series like dean style back television bunch reality good looking piece eye candy always could never make decent remake series interesting watch learning experience entertainment keep wondering jeep episode fun fun fantasy fixing duct tape paper clips acid chocolate available band aid moment old remember childhood lot fun fear spoiled modern special effects show little slow still fun used watch late watched good see season device good funny enjoy worth watching family movie enjoy light enjoy season one fun watch season two develop consistent pattern include old cohort pete phoenix foundation always interesting discover guest went successful acting really found entertaining brought back childhood could one smart talented simply classic good stuff like watching family good clean show self sufficient life always fun show love get share great quality first airing must see nice go back watch without worrying might see hear great need look closely quality couple would play skip different fixed hard believe absolutely every situation unscathed concept comes across asexual pretty boy interest terribly believable still enjoyable watch remember first came best learn survival show much even though special effects still find something would recommend minimal blood far bad even good getting hurt like see comes save day series hooked suggest start season one view period several bad remember first show evolve occasional give viewer insight still questionable though right paraphernalia right moment unpredictable always enjoy little bad language great learn little show try limit watching episode per night run fast look forward one like dessert every day charm series season environmental focus emphasize emotion always show episode much romance really good get outbid anything realist like good story line old time best pic interest movie intrigue suspense story line sexuality love movie could unusual still real good movie beautiful scenery would sure recommend peter always fantastic mobster newly prison catch coping daughter definitely worth watching sparkling debut wish great criminally country tiny role river chemical imbalance pretty much career real tragedy much add peter chilling portrayal mob enforcer murder irrepressible columbo institution teaming two excitement film definitely disappoint chemistry sense enjoy working one another letdown story put mildly little thin nutshell cross routine mob story sting lay mite thick liking instead flick solid double view look close blink momentarily see joy half way decent movie featured coming star health kept showing full potential check movie country see mean memory film watched many ago bought whim winter blue found amusing like peter fit character rest crew bit outlandish comedy pull watch memory laugh little movie still love cheesy look fun funny charming cute worth watching going bender good music enjoy atmosphere old black white acting company added bonus watching soul peril anyway like said b movie series racism almost made fact people screen well difference one wong speak accent little make basically old aka movie wood eastern accent wong seem much everything around end convoluted done kind wong series wonderful addition amazing collection make like industry special effects instead acting strong plot thanks supporting quintessential kill em kindness detective always step two ahead law much rather watch old movie never wong browsing detective prime great performance reserved sherlock little one see mind always work particular case well done sound quality could tad better great film lots turns clever truly enjoy series one favorite show hope soon thought season pretty good every episode consistently entertaining really good personal favorite las comes pretty close totally recommend old innocence fun miss today refreshing go back time happy good win plot movie never style hat used early always fan many groovy look vantage single rail system world interesting single employer world date railway originally efficiently bleeding people natural back later handed government finally quit last toy train still least time film made really film interesting railway colonial history incredible rural urban show ever going win retrospect show much entertaining well put together absolutely show pilot start see potential show offset always good show show even successful say work pam extremely likable smarmy situation constantly would thought people would flock see show catch train wreck never reason never due iron ceaseless good nature comes character character dumb simply distracted shall say scholastic enrichment lot people fall boat well show hypocrisy also mining non related humor commonplace network combination works stoop much like tony hale character fully second episode season good show right poke intelligence literature full bloom complete series party girl job small coffeehouse book store run two author lazy nothing coffee clerk staff short lived series cute stereotype gold two odd couple seem play straight man every scene clerk rounding cast yes back future doc brown book store favorite patron retired rocket scientist five unaired show cute play audience bad fox mark didnt give cute show real chance found yes immediately watch great plus pretty funny rest cast favorite exchange think people change want short answer long answer long answer hell first let say fan pam never watched catch episode show whatever reason change channel despite fact hate surprisingly funny show sometimes witty pam making fun get wrong get comic masterpiece development curb enthusiasm however show funny enough show make laugh probably purchase believe would however worth seeing watched cable decided buy essentially parody great show light hearted easy watch shame reckon could done heap better comedy made u predictable always good taste funny buy quite dream series cute brainy well paced fuzzy enough entertaining sad show get great ensemble cast refreshingly funny well main set show bookstore miller one scantily dressed blonde trying change hard ways enter two season comedy series concentrate comedic party girl settle hilarious show great cast one another five fox never run length box total five unaired many good one made laugh loud several times repeat still offer enough enjoyment make worthy purchase good hearted sit even big fan pam example unaired episode third date daughter well written laugh loud funny laugh episode probably pulse well brewster huff criminal role gold ex wife unaired jenny appear episode already fox everything shown player zoom feature easily fill screen miss much outer edge desire audio fine channel stereo surround white included episode two fit one case third different picture pam posing short skirt case much information perhaps minute blooper reel quite funny filled many luckily present appear mixed blooper reel well separate section get costume designer show well showing clothes worn cast mixed actual series much cover pam live yes life full small feature though nothing write home minute pam character guide dating extra rather useless showcase second clips deal dating taken nothing extra added could easily found something better show rehash clips note although extra pam cam nowhere found box set listed anywhere perhaps something initially include follow bad interesting plenty clever writing many good one fairly decent course glorious pam series good choice looking simplistic yet well written enjoyable comedy series sure keep constant smile face watching movie poor acting joe maybe charm enjoyable short film worth watching laugh loud rating rather story one day pick permanent format little treasure got snuck see puppy originally big screen way age see freak much guess always passion even shall say club mature stuff went far head left far scarred scene beginning film joe two ann limousine action particular moment stuck mind quite anxious see adult compare memory actual movie compare effect hardly convincing still left tingling watching would done anything zebra painted actually would anything although riding days long gone nostalgia gear love since love interest works fashion magazine opening movie pure classic especially young bad heart joe version roaming grocery store something seen ann little flesh movie hey something blown away remember much nudity matter lesson remember bare violence definitely stuck child head note time caught cutting edge flavor movie may time capsule people thought living free envelope become comic book tale example vintage men adventure probably full day take special interest scenery movie taken old reel one truly appreciate desert much man meddling ann house vagabond thinking settling sweet excise cor take heartbeat also interesting see bad men like back would beaten local teen neighborhood drug dealer left alley dead fun movie sad commentary daily grind today almost see bad become accustomed special nod smith brutish yet unintentionally comical portrayal moon gang leader deal need find copy good print sound enjoy ruckus adventure note continuity issue film originally shot night chase scene end goes dark light back small price pay broadway joe ann one last thing thoroughly hoot clearly many steed like slip saddle one occasion turning radius chopper easy thing maneuver joe firmly dragging ground good movie found purchase movie great joe riding younger people thought like like ride always fun enjoyable nice see ann roll little corny back joe best broadway joe ann great job hokey action flick follow easy rider seeing ann best old like great interesting plot reflective time frame produced country post civil era movie also featured well known supporting various would buy rent movie movie never bought burl let content sure story line could way told violent thought men able watch easier could left crude sex type scene yet somewhat discretely bit leg skin except revealing bath time yet still done discretely meant mainly part touching reality violation like stated probably harder watch hard fairly good movie keep god forgiveness us people subject amidst prejudice hatred war state civil war negro soldier home white guardian father burl half ranch wonderful folk stick benjamin valiant try keeping truly bad want anyone whites land assistance native running ranch keeping bad away decent side lesser amount man stick right side good life lesson us could forgive repent gain reconciliation subject type show would gain much movie stated hard movie emotion injustice sadness kept praying silly may sound someone step help thought provoking action thought acting good excellent would hard play one conscience worth watching yet watch crude avert moment even momentary crude good lesson youth see prejudice cause take stand evil stand true godly right side reverend commitment church bit weak side yet mostly lesson also took right stand help subject put movie form brave producer black soldier civil war old home burl poor script come none true well even given good role fighting fake looking spite screw received cannot play region disc need region one kindly send one tell return one hold sincerely k based real event true nature soviet submarine fleet cutting inexperienced men aboard order compete heavy price captain ford new boat crew sea also captain ford subordinate crew somewhat resentful ford presence tension two men evident ford aboard boat consider rash reckless despite tension successfully fire test missile filled elation proceed sail towards assignment eastern us seaboard confident well unthinkable leak reactor overheat scramble make made worse lack neophyte officer minimal knowledge technology boat solution must found reactor burn way hull k good insight soviet valued party ideology value individual breed unto matter nationality rise pettiness indoctrination ford work well together flick believable two manage pull submarine das boot gray lady still pretty good picture life aboard submarine submarine worth collection love season clearly due departure character agent end season guest first two season wrap character involvement show fan reason get season transition year evident many season three priceless evidence high quality doubt expect show newcomer season three entirely worth watching appreciate start season one well enjoy many remember mark football made right career choice instead getting raking hit series year year sure people may like even seem make stop watch season base future season build depth help viewer get season basically season set bar trying compete season three going killer try throw us new director jenny holly history since one time also proclaim innocence officer sorry like liker pretty much built like extremely tough unstoppable jenny try convince wrong even logical argument innocence innocent would turn much follow basement get view saw episode would inserted team since obvious chemistry tony get built like said unstoppable lean mean killing machine best best sorry abrasive annoying still hard time team magically member team season three good season reason give although season three end almost getting blown going coma waking coma thinking get meet mentor mike trying stop attack allow season three still like said problem introduction new director leaving took star second disc would play several good cleaning could get play fine get watch disc fan television series since cancellation walker ranger ago watching n c feel love tony plummer made way home almost everyday one looking get series watch one one work package decent product season great almost great season season miss much cote de pablo love show without action bad guy want get sister part team still never got see anything come tension tony season much easier use video play function like introduction cote de pablo like cross ryder salma season train line ordered great condition case inside holding middle missing though bit works fine thank probably order always perfect way see find interesting season show watch show learn see something different everything exactly hoped would timely fashion good shape would use experience order glad find third season could never find one good excellent watch clear good quite reluctant start watching one military hero crap fortunately like although tend repeat bit political therefore life like realistic funny suspense prison break really enjoying every episode credible touch humor series crime genre great cast humor story keep coming back especially enjoy new addition character entertaining show great cast good humor consistently hold interest love show great addition season one hidden always hunt rarely find great ensemble cast headed mark special agent whole show look effortless great group earth immediately see almost real far fetched occasion real interest show cast ably agent tony forensic expert cote de pablo agent agent timothy holly director jenny medical examiner mallard team leader sometimes stern father younger command two old often show younger seamless believable everyone show great interact one another like family working group loss one main end season two gave everyone chance show acting dealing death friend worker weak spot third season addition jenny new director old flame entirely much time wasted fuzzy focus evidently red hot love affair far much never really although took time become fleshed character made adequate replacement lost character toughness group humor mangling great deal like sadly never really show spending far much time franchise odd murder la humor love hero whose name worker nickname bring humanity warmth crime show sadly world really start think people someone like meet talk particularly listening one way since usually cut something common show touch realism rarely find days enough write something else need say love show third season exciting first two provided many plot twist turns reason four star box coming apart wrong song big problem great able lay recover surgery watching great team thing keep coming love show interesting show great fun watching dad time funny banter excellent bought son year happy loss turned replace cote de like character without warmth terrible replace de cote whatever name worst possible choice switched chemistry booth terrific subtle bad available replacement one disk season defective find period able get replacement wow series came alive third season personally believe introduction character made difference never previous female male agent aggressive mysterious tremendous charisma great ensemble cast headed mark adorable medical examiner lighter weight program criminal never tire even watch one highly bought wife big fan good w busy schedule able sit watch time get see one time series quality great mother whenever travel pack series player stay great season one detail episode id made navy petty po e would corpsman able marine otherwise great season bought love reason son get season barely watched older think great idea maybe little son scary seen episode child gang went sure enough frightened hound underground somebody hanna must fallen love concept underground city original city development mostly fire episode hastily green lit citizen bill offer underground idea probably still pretty romantic episode produced perfect setting mystery pretty clear research involved however episode obviously drawn reference material whatsoever hilarious world still cooling world fair making household name pretty fresh however space needle obviously based someone general description ended sort looking sort like underside end table underground city cavernous intact frontier town functional cable car system rather series musty cramped uninspiring even heyday somehow think obscure one would know difference really hard come early demon apropos nothing sure odd could drawn pantheon well known pacific northwest spooky like first sighting near mount giant octopodes sound local hero single fact apparently access old fire went well little uninspired even hanna perhaps fantastic aspect gang lobster twice space needle revolving restaurant unlike crab true widely available delicacy lobster expensive even ground anyone ever revolving restaurant know inflated match elevation even heiress blake bubble bath fortune lobster twice opulent high school wonder long took throw together episode guess could get one long afternoon time spare already big fan happy kindle would recommend fan movie true format mystery discover explain could scary younger think episode creepy heap deep good episode one best opinion thought one wish stayed house monster might better would rate really enjoy watching original grew watching much buy could still love watching original picture see today oh well still classic watching show brought back great childhood one afternoon bought episode watched reason give instead forgot undeveloped see recommend show anyone bring mystery young child life take quick walk back time enjoying keep good work hope buy episode show easy use fun organized even love alike enjoy fun hole family think quite good watched program sorry see went air little known early thriller surprisingly effective similar enough novel please hickey dirty harry worthy second feature drive fashion music really going turn bother peel past layer well worth effort left tightly plotted engaging thriller barry remember talbot introduction hearing wife die part unknown action later passing town involved brawl court leading blistering minute car chase woman hostage courtroom together lot quite seem say would unkind seen film story particularly known seem chase much film unusual denouement particularly fitting somewhat anticlimactic intense opening look ben steely eyed big screen debut almost disconcerting see hair best new version available first time photography least exterior somewhat drab comparison without pain pan scan surprisingly clear flawless year old recommend put age satisfying little thriller right right length sure hand wring tension otherwise could humdrum one great classic car pretty good waiting film available proper format suffer many awful pan scan format like whole different movie incredibly sharp famous car chase much better smoking score good solid early action programmer solid work barry great early ben appearance stone cold contract killer pure manna heaven reissue optimum entertainment great early crime film gem ripe rediscovery got much simply going site glad see old drive making instant video quality good well author trying find bear island puppet chain fan barry well movie trying see movie saw originally true adaption outstanding book ar key pretty faithful adaptation novel name similar much well known dare story full intrigue intricate scheme gather evidence uncover truth film quite capture suspense intense tension found book however feature extremely cinematic car chase sequence movie rousing start assist musical score like many best fear key told first person getting head principal character operating undercover follow film talbot barry marine salvage expert talking radio airplane cargo run talbot machine gun fire radio goes dead scene somewhere talbot scuffle court murder elsewhere talbot headed prison guard woman hostage car film showcase action piece extended chase sequence leaves waterlogged police wake performance behind wheel reminiscent role point chase hostage break chasing talbot unconscious taken prisoner ex cop sweet woman daughter rich oilman see willing pay reward return ray man engaged mysterious venture enlist talbot aid hired guard talbot kept prisoner mansion lieutenant royale ben keeping eye ear something big obviously works scene one oil sea gulf conclusion much shrouded mystery adventure pick try piece together picture happening keeping secret long possible meaningful knowing little talbot getting behind difficult viewer empathize bewildered carol talbot bedroom trust barry good job role lot deception sneaking around occasional violence tough assignment always completely convincing effort sincere focus mainly talbot character development supporting detailed people like torso bird crystal plumage dirty harry given much film debut future academy award winner ben shutter island seem menacing oil rig unusual location set work quite well featured film may look cool seem appropriate underwater salvage operation special effects passable understandably convincing supposed depth pitch dark movie license scene appear dramatic solid attempt made film finale tension novel director still credit stay true source material suspense writer produced best work many made motion included satan bug dare ice station zebra eight toll puppet chain golden rendezvous among fear key probably somewhere middle solid adventure little execution presentation acting earning rating region movie hopefully future region release decent bonus every search film saw first never forgotten interesting note people either strongly prefer book despise film reverse found film mercifully unlike book also classified comedy definitely chick flick vulnerable bittersweet fact stuck many seen forgotten long see early test r rating meant content film also brought part medical practice certainly tested scope female actress could movie somewhat dark humorous genre gave four love seeing cannon early great part career back older brand new seen movie came might start watching dramatic hard time lack spelling happen generally movie though say hospital coma simply knowledge medicine limited really since movie made none intended funny sure made searching film first place sure enjoy since think people would stumble upon without actively looking child even born later take film grain salt remember times different suspend disbelief hospital think enjoy good otto element working new york city dealing viciousness certain laura breakthrough film also woman picture based best selling novel said one three time deal masterfully plight controversial time movement besides two made motion play diary mad housewife screenplay mostly dale pseudonym elaine may script sparked incredible humor bold otto keep controversy sake nude scene burgess scene coco cannon fellatio among cannon performance career even though experience making film filled otto token whipping post along said want ever work direct little nephew bathroom z music great song sung c smith suddenly tomorrow good best film final olive saturated color bedroom little dark acceptable love b lesser quality know billy jack one first new age give respect popular age less popular real still current southwest yes top treatment racism may pass muster smith believe real people deal real small may actually involve violence yes us accept role violence defence liberty make supporting application freak loose ask important applied arbitrarily court higher justice provided foundation land liberty right watch relate billy jack level deep revolutionary blood still corrupt authority billy jack simply figure shouting freedom tyranny every good man twilight zone always among time despite fact first boy much sleep third season ray format every episode great p due various deterioration original master certainly whole lot better sound quality part far like twilight zone never seem tire watching always seem find something new previous times third season score good life quality mercy serve man trade gift dummy guard excellent picture sound quality well transferred overall good ray set season three series good watch friendly go eat wear brown good travel show exception camera brief point travel documentary watching wish would passport great used love watching show back day currently short trip thought episode forgot however basic episode currently available streaming love love video filled good travel pleasant likable personality humorous local people main outside popular tourist amazing live times born nice see th doctor peter breath fresh air stuff goes downhill number cheesy acting special effects remember watching doctor growing better one fun peter great writer want season like watching first time around good quality video fun watch early interesting see difference ship one better written considered one classic part controversial ending definitely worth watching unfortunately broke modern classic good forward tend simplistic also fact always story tedious watch times finally development character leaves watching lot unsuccessful experimentation spoiled fully doctor disappointed enjoy nearly extent love later always enjoy good set wrong episode way truly waisted left little little say worth peter good fan doctor since child reason give older bit cheesy still love series effects get effective actor fine impression good lovely also personable always feel doctor one never really much suspect might watched long time great small always bit spoiled brat like campion either carry beloved good watched never fell madly love way baker smith still still series standard quirky special effects still think story interesting watched little younger get hooked new series going back watching classic found entertaining well first seen doctor short entertaining story arc special effects good definitely still enjoyable free prime membership would recommend prime fan classic make day course everyone favorite doctor remember back far one bring back favorite always baker enjoy peter son good best worst hate last season baker awful bad start early hard shoe fill baker still good job seen one original low budget aware still original format definitely classic wish seen doctor one pretty good baker st favorite classic mold good see taken back simpler times mind robber first story really fictional need human brain create fictional also amusingly fiction work think novel struggling new grub street recognize supposition far also sometimes pro human also first time saw phenomenon action positive attitude toward humanity portrayal ever little fool hope goes away time get today sad second doctor result fun watch decent doctor fan maybe start series nice available much fun watch daughter accustomed new version special effects fun watch reaction cheesy effects youth doctor fan always enjoy watching recommend enjoy version baker great watch older actually first classic story actually bad effects accidentally charming part creep couple problem anticlimactic ending usually best story watched better ending though watch classic soon old much interesting effects coherent plot clear audio nothing lost black white film bravo season one next episode video froze audio going continue watch would see four sure look effects little simple story telling still strong still point well done production conservative costuming near historically accurate staging stage show video production great look back compare come era callus present environment starkly lot fun look back realize used draw faithful return week week support show use watch lived watching son little girl watching much gotten start watching first available doctor story want watch one need buy beginning child edge destruction added wish list first available set season one prime member resist first technical note episode fill screen even top bottom entire show surrounded black box hand given technological old doubt anything pushing current screen sizes episode well couple first lot used days sometimes acting bit top sure actually spoke story couple nice first political correctness cultural relativism police episode evil spoiler alert good doctor able make world better place fix anything episode bad thing always make better best four episode run lot next season five chance early available streaming love classic doctor kind expect black white slow like soap opera episode would bring closer conclusion slow moving one episode still forever anything happen boring great example stuck ancient earth theme follow time travel much science fiction interesting see crew like captain ship rather active character becomes time probably interesting thing episode cultural mores enjoy ancient gem anything like modern probably want skip ahead couple great place see classic season nothing season quality good watching classic marketing people get give quick check box move submit certain number submit opinion sometimes want check box luckily screen adequacy response little paragraph paste doubt figured season one episode four complain fact found relief complete classic series never get episode feature doctor unless want count tenth anniversary special also first doctor episode seen clearly written way completely unlike familiar much standard comparison hence four leaning toward three decided generous given difficulty rating look feel modern unfair gist temple ninety put business learn digging around trying place doctor know acting like perfectly routine job figure driver stopped fall upon snoop around decide one god two doctor everyone along able get back leave intention adventure try stick together soon fight command army wandering talking doctor first important task correcting fact figure open door room really everything going fine till deadly enemy rival unwanted command intervene stop human sacrifice doctor furious told vitally important allow established historical take course argument ninth tenth keep assume second eighth well disgust human sacrifice reform comes remain beauty civilization earn respect thrive modern age anyone supposed studied history naive anyway savage beautiful culture one high good one sympathetic call religious practice bad one believe god also conspiring rival destroy sacrifice instructed ways thanks commanding punish done ignorance rival nerve pinch doctor woman figure way get temple kept position growing ever even good priest faith divinity face relentless unorthodoxy bad priest rival entrap everyone capital good priest comes end get away though fact save society story pretty unimportant though say seeing early would non society oversimplification fact irredeemable side side every large group people always always worst could far know nothing significance later franchise unlike episode meet season representative know early show history already like important well advance cuff maybe tied doubt every line felt specific story plenty bad wolf like season actually watched back day might pleasant nostalgia tour though doubt episode eager want take look man chance see understand pretty typical light looking entertainment sake well unique think people would get great joy watching one sake wife grow see year made good rated star film suppose best could treat start learning start learned trying change past love classic doctor science fiction harder put together show old days technology concept still used lot day hard core fan black white typical times little cheesy thoroughly see doctor getting trouble back funny see old comparison today also lot pop today fan fun see evolution special effects like walking time tunnel show granddaughter fan current one like besides love scarf rather new fan doctor watching late beginning th doctor since ie premium channel mainly view via instant video arrive prime anyway waiting season come prime going back time watch th doctor far incarnation last son quite hilarious literally ark space part starting doctor encouraging get vent duct brute ungrateful encouraging anyway rated star incomplete series sorry need rate product whole ie doctor classic season season getting review baker dad favorite role doctor also time earth real time introduction sonic screwdriver new continue defy command stay short make great binge cerebral side doctor well classic smile grow story line honestly like team sure doctor could comedy menacing time lord jelly baby wrong wish new guy best luck nice check set rubber alien love ark space great story everything need classic wrecking life death human race balance course th doctor unfortunately rest season missing sigh doctor classic season baker doctor even though special effects today much better available baker making series good story line today special effects comical fun watching old love doctor problem ad told entire th season got forced return full refund series entertaining lot acting special effects poor best like fun show baker first doctor jane first companion episode corny today current still wonderful watch ark theme little dull special effects pretty laughable hey classic doctor operation pirate planet power factor doctor finding eventually end key time number get money quality color audio great however get see doctor key time remember also got see put key together show anyone together otherwise given season displayed incomplete season operation pirate planet blood tara power factor listing date posting missing blood tara available purchase apparently rental season key time story arc six key four story listed forth doctor riot usual cleaver hot fun great great time episode part listen bonus mark give take second said baker best new present series historically real time post star keeping look feel getting lost still good phase show run although would give modern doctor harder watch older fi know lot people prefer older baker awesome best grouping doctor ever go watch much fun got enjoy fun good definitely better many classic watched new companion season goes good classic old show made special effects around good show key time always one time baker upset missing love doctor story one still enjoy doctor adventure humor baker flare one best classic doctor like new version course great season one baker best hate get see doctor acquire key time love mary addition gorgeous really added lot series oh maybe mention hate one episode anyway ward princess next time lady lack continuity troubling course even factor least go wrong doctor story compelling cast great along awesome look really cool look story great running man sinister however giving rating delivery loading next episode rough shut bring back search episode try get load really fun see old see evil got start would love able see quite enjoyable although fi guy rule show sort contagious go way back fifth doctor think name baker tall fellow long scarf like modern really watch get fullness story line really us framework current doctor story regarding character wish enjoy calling doctor fellow start history lesson color unit anything significant dedication show enjoy state art special effects time use watch child way see like doctor definitely better available previous word love classic doctor need available prime full available new series let classic series available grew baker later saw first bit getting used great doctor episode fun watch one better doctor flamboyant without silly well dramatic without pompous thus making doctor alien wish doctor archaeological expedition exploring tomb interested basic scientific research time long dormant species two people absolutely insane plan force form alliance fail first time try assimilate instead find new courage get one think convince become loyal story actually lot fun overall great truly exciting great second doctor sometimes witty often clever wonderful moment new companion speaking start serial like kind weak companion serial goes along real spark cleverness downside serial violence seem bit much particularly era addition end series man life one bury nice wish would add series site usually consist episode story line point poor weak special effects modern part almost seamless story line excellent doctor plot compelling love terrible art special effects glad could see doc move time good episode special effects goofy made story really solid special effects old detract story tomb still enjoyable watch doctor great snide humor later sadly many missing get back story get start see mythos great fun must fan doctor interesting go back second doctor ninth look forward classic doctor unfortunately seen lot like interpretation tale rogue expedition evil revive force arms genius nefarious fun adventure story grand tradition classic science fiction unfortunately era special effects inadequate essence story seriously ability viewer enjoy seen tenth doctor defeat least contain frighteningly awesome looking deep help find pathetic still pretty good story use second doctor little interesting little believable less grouch still comes bit calm build real tension help enemy joke none brooding intensity tenant manic depressive mood telegraph seriousness situation atmosphere good job though like well worth watching see history show really bad classic better quality throughout story acting lot even though walk around delete story corruption hunger power great borg nothing show b w second doctor quirky quite eccentric bad however giving rating delivery loading next episode rough shut bring back search episode try get load many second doctor intact treasure watch great story making ill deal devil definitely fun watch quite camp tongue cheek definite humorous exuberance role almost like music hall mentalist memory expert audience episode cute informative many people want dachshund due lovable low maintenance like episode cautious diet get overweight allow jump climbing also good idea many unaware later pay price back episode also back plan get watch episode first long wonderful life awesome dogs love doctor baker favorite doctor love death one show per season doctor genesis revenge wish prime fan coming back watching classic series death admittedly episode impossible planet sure took inspiration fun romp also lot fun great side give five dream complete far baker favorite doctor classic series glad new series increase availability whereas seen could painful half hearted suspend disbelief season actually pretty good job engaging want get show death one favorite first watched never thanks please try get classic doctor prime suddenly show ended without farewell scene discussion next watch four mining vessel feel bit odd without sort conclusion way abrupt bad dead cut doctor leaving one liner nice story way short end many consider baker best doctor alien detached still life many like good made lot talent hard work dont see care like watching since yeah new doctor match baker stuff say pretty big fan master wait roger master anyway good baker endearing doctor classic series biggest gripe use watch kick go back home screen reason know wireless network range still getting signal able pick see understand gripe kick make go back search doctor classic find season find episode watching finally get back mention output via ridiculous thinking seriously prime membership worth shipping hard decision give better kick output via decision decision might whether ditch video content delivery subscription hint hint unpretentious film compelling economic story telling brisk pace together keep viewer working without break director firm grip casting grey enigmatic clairvoyant stroke genius character franklin high tension non stop performance lesser could land thud even grey remains intense lithe time found beyond riveting performance could hardly believe seeing actor craft cliff mammoth also non stop task going tete tete laser intensity given countless reaction moment police station every situation chief police tucker wrestle power tucker sea wall turbulence breach late film see tough highly intelligent active engagement continuously paying direction film welcome fast clip scene dwelt fortunate case one stock character tucker pregnant wife role sitting duck best laugh line film strong supporting cast led peter tucker lieutenant professor bring movie home end film effective fair viewer like suspense rule one unique heartily recommend film well written video crisp read spoiler viewer left hanging since culprit never caught based real minus film psychic grey murder investigation film based true story film guessing game grey actually trying help killer thought ending little pat detract overall event saw first run theater psychic reading coincidental going film made good mystery well told small roll uniform police officer film saw first hand hard worked true story hard make interesting frank perry cast great job man well written well well directed frank perry anamorphic picture good love watch read prime great expect watch recommend series really interesting see reputation already initial watching unbridled enthusiasm always delightful main premise episode multifarious particularly cola told falling water interesting impressive based interest factor dropping hammer water hit c mon choose something outside high steel far cola comparison phosphoric acid good choice sure something like would interesting probably invalid interesting thing idea soda really clean battery well myth around eon two suffice say skepticism common beverage though cola wonder need clean chrome good solvent otherwise marginal job stripping oxidation told really worth price unless prime pretty good long skip whole crane nonsense another exceptional set make think season pretty old still really great never boring ask season easily device minimal load picture quality excellent call bogus waste time explosive decompression part one call military say seriously taught deal stuff like even altitude work waste episode one better overall either let prove fake stuff still good season though love parent wish science history tied either em em course every episode interest entertainment value review determined lot biggest factor within episode prove weather myth busted plausible confirmed yes second season bought second season set season volume two weird guess rush put buy well thing know anyway love show weird twenty six season thirteen six terror doom please make rest available good stuff grew classic good favorite baker special effects best hold boy remember watching discovered year found bad bit cheesy special effects good acting story line going back look old enjoy imagination fun earth always saved like modern better history channel little tight fisted extreme engineering close second great show explain allot realistic task much real world enjoyable time armchair lived boston many driven since day ten video interesting look past reality big dig project ironically perhaps prophetically film showing section new tunnel time exact location ceiling car killing passenger heavy concrete glued place cement applied properly ultimately determined ceiling actually location today ceiling video longer theme big dig design construction many never biggest world cutting edge custom designed unproven time well connected engineering construction deliberately made complicated expensive necessary maximize one notorious example known instead industry standard round pipe hand engineering contractor ordered custom designed stainless steel hand sharp vertical besides much expensive moniker ability slice accident like knife today many original hand deliberately removed dangerous case section ceiling hand really course bad extension airport great improvement ted tunnel k frozen head tunnel one first open quality construction much better tunnel built later unfortunately boston built poorly disturbingly properly sealed watertight winter water huge ice require application large salt inside large volume water combined freeze thaw corrosive salt effect something designed consequently concrete steel much rapidly another ill advised design aluminum tunnel ceiling light attached steel two dissimilar moist corrosive environment always corrode sure enough falling roadway temporarily place plastic tie must initial construction cost bad enough ongoing maintenance big dig get worse shoddily continue fall apart could go many bottom line cost big dig way expensive way expensive necessary much money spent one project nothing left highway mass transit initially mitigation environmental effects boston traffic bad worse instead stuck traffic boston old elevated central artery least nice view stuck traffic ugly filthy film another quote time nobody five ten remember cost look thing say beautiful job would laughable sad note road time old aerial view river crossing showing original elevated connected upper lower deck bridge time city square tunnel construction loop connector bridge built well done interesting truly engineering miracle great follow panama canal concept great would like see theoretical project first season need watch see series goes better overall many enormity effort design equipment big fascinating easy understand brief coverage amazing engineering massive wide variety machinery sure please love see men build keep striving better nice live day naturally progress would much better program specific talking instead show people speaking project show radio good movie ie construction however compelling sad reality want wish japan best luck great challenge best show ever made learn would love depth understand much show divulge say learn lot done well well hey give shot may engineer waiting get show old well done still enjoyable watch hope see recent nice program series history future get along planet grown completely tired trash box possible watch documentary educational choice prime added stinking every like cable new resident boston took duck tour learn new surroundings con duck tor episode extreme engineering learn big dig absolutely fascinating stuff driving underground walking beautiful ground streets awe would live construction true marvel boston fascinating city interesting program seem world wish would look considered extreme time revisit see project works cost went budget engineering common place today jagged edge wealthy woman found home knife jagged edge used husband property newspaper guess prime suspect jack best defense lawyer former prosecutor lawyer client guilt story new coming trial janitor tennis club seeing hunting knife jagged edge locker circumstantial evidence many tennis keep inch unsheathed hunting knife locker trial goes learn another man knife like kept locker learn affair widower affair heiress wife rich famous surprise witness one kept secret prosecutor woman similar manner suspicion cast one male witness victim many anonymous sent old corona typewriter distinctive fault jury guilty verdict later defense lawyer typewriter client closet provide evidence guilt jack really kill wife impending divorce back home someone break home alarm system take good guy gun stop bad guy knife trash good murder mystery courtroom drama based true crime involve people know husband wife parent child buyer seller flaw ending given double jeopardy law anything ending would wealthy woman marry poor talented man wealthy woman instead living alone ever seen hunting knife jagged edge practical meet customer old manual portable typewriter movie really attention start finish really opening scene last scene everything fell short felt courtroom repetitive witness witness care attorney personal life know even added could better right good one watch sometime future feel many movie difficult one test time acting good even better start finish movie attention one best suspense jeff prime suspect accused viciously murdering socialite spouse help loggia private eye close attorney manipulative falling love peter coyote ruthless opposing attorney case political steppingstone grisly homicide sensational trial forbidden affair razor sharp suspense thriller twist conclusion startling satisfying murder dun jeff murder suspect unsuspecting lawyer close labyrinth love story say familiar beautiful lawyer highly close client jack murder wrap jack handsome rich smart charm spare defend jack accused murdering wife jagged edge knife jack adamant innocent put knife wife best lawyer prove highly reluctantly case however involved completely convinced innocence mystery love doubt increase script tight plot guessing jack last shot revelation still think movie grasp puzzle fit together well close excellent hard separate character perfect chemistry film classic one watch grip last startling revelation four star rating jeff one favorite glen close edge seat love movie jeff really good sure end telling truth close really nice job acting well good plot foul language watched good acting suspenseful fiction related reality truly scary use show talk scientific method classroom great resource must review language never really watched saw came prime love really great never boring interesting try figure wether urban real really answer question watch whole episode really great show interesting kind educational though best possible times great show us wonder true highly recommend everyone curious like scientific season polished subsequent shot fascinating see awesomeness mostly see background occasionally enjoying watching lot pig stomach pop hilarious wait watch favorite future funny informative usually interesting always bit wacky thing missing grant like wish kept like grant better like show like science behind love get excited get blow stuff love science show entertaining even really care gravitational pull e squared extreme family love often go back watch great future lot fun say good doctor yes episode pure doctor good story doctor helping mining company global hide love great doctor course going disappointed grew watching baker synopsis every doctor episode ever get caught usually suspected problem show escape get caught escape get caught escape solve problem love anyway considering old still test time fact see first original worth love new series one perspective history think fan watch watching since many many early somewhat disappointed classic prime many missing would love actually series even better shown past episode bring please series hero create strange story line one doctor made may want start baker doctor doctor devour show though classic doctor episode nicely done really story wish could quality better reason giving one stead two year old really blues got letter song letter mailbox home year old catchy kind annoying husband worth year old son blue looking actually solve though engaging would highly recommend classic show one half year old daughter watch show lot good teach entertaining video kept toddler old long time watching video together basic logical little daughter still sometimes another order year old grandson wish could prevent grounded kindle future daughter show screen talk daughter really blues see close rating thus based fact year old son since turned great show cause speaking different reason rating season personally like style flow show better joe came low haircut think season classic program favorite get learning well however precious angel singing along finding truly heart son three love blue right thanks month old son really show watch together admit laugh like paced want watching flashy quick moving year old year old love blue like two older also watch love good learning program great program keep young interested learning love blue son syndrome watch great able watch anywhere prime like watch blues enjoy em hair awhile like sing along theme song well good realistic episode full thinking active morning talented actor bring joy ya still little awkward first season little rushed daughter get excited season two three still joe good thing good year old learn watching least two year old grandson fell love blues think little young video excited finding interactive response video great educational show love watch participate glad available watch love like learn put information together determine outcome daughter really watching program really appreciate able access whenever want thanks prime son five year old watching one also told also watched blue class therefore guess may popular age right age appropriate show way boy pretty educational program able keep two year interest watch blues exception always enjoy learning along blue joe would watch let year old talk back laugh giggle great learning tool attention interaction cast easy follow honestly lot annoying took get used background surprisingly son learning recognition k school goofy good learning tool son watch lot blue short program great show doesnt violence bad grandson show would recommend show daughter show educational lots singing singing along blue thanks blue engaging little bright cheery series one favorite perfect young whit best thing learn lot grandson watching count bad hence four ya ya involved show daughter daughter happy really watching day could go outside recess cold daughter blues stays watching never old one love prime everything two watch love life much easier calmer son show great watch traveling trying keep relaxed waiting public month old son show show much interest blue glad become brain nice one show entertain complete little spend night settle snack short video blue one watched episode multiple times tired educational gentle fun year old daughter really like show go fast quickly keep well blues show found toddler mean instead work together solve blues mystery glad picked show daughter watch without know watching show daughter really show really cute music good fit enjoy watching together great cartoon great learning show bright colors wish original still around blue season keep child distracted long enough get fed many meal love blue production hard find even demand free instant streaming great video quality original quality nothing prime two year old think pace longer attention span bad video grand daughter attention concept thinking chair good show interactive great job getting involved almost two year old daughter show nice alternative barney also prime love classic must watch daughter show growing well done educational entertaining show interest three year old grand daughter streaming please keep coming amazing much attention let watch much great learning bright year old long little one attention pretty sweet show year old month old love parent appreciate educational information worked great show tell effort put educational year old watched quickly favorite show grandson ask time big fan show streaming excellent picture quality sound clear young would really appreciate series blue cute learn lot show decent watch partake well annoying enjoyable stand inane feel sorry dude imagine r sum year old blue looking real world answer interaction fun educational love good thought enjoy love season one joe cute show year five year old funny though show bit small year old year old sons love watching able hold attention keep curious way go watching week old baby colors kept also love fact great available prime also daughter enjoy well bad though son blue item paw print clue funny girl watched learned new colors think found way make year old go coma remember blue shut leave alone year old daughter blue along talking straight another show blue think world around draw great encouraging development reasoning get laundry daughter show glad list available prime first season course overall look show better else five hi year old sister love watch blue plus bad poorly low quality even enjoy compete hulu really dedicate server space instant video educational singing problem blue plus theme song attention glad daughter available thank making daughter happy girl love show put want leave alone year old learned lot show wish version show prime great show daughter great time know learning would recommend anyone daughter watch watching fun interactive also like another language daughter available awhile demand daughter watch kindle good visual quality sound cute plot easy follow yr old would give series sure format pretty much song song map song destination pass way child counting opposition overcome like ever present swiper fox steal stuff sometime year old helpful sometimes unwanted song know let get also helpful tell little brother stuck one program another current favorite matter seen granddaughter entertaining educational episode something help counting critical thinking great year old goes show several colorful wholesome theme also like bilingual theme lots counting decision making learning year old year old growing well better obnoxious cat hat year old fascinating wish available prime keep watching first three love repetition contents educative learned little daughter watching highly like something educative warning non stop year old would recommend night date movie daughter show two giving four parent find show annoying daughter one rating show would five unexpectedly position hospital setting granddaughter spend sitting waiting family member fortunately available kindle fire one favorite happy kindle fire able watch also movie cloud thank like like watch show music taught helpful interaction great telling swiper stop hilarious love great little story grand great baby sitter loaded kindle fire take ever go love ever watched explorer know talking goes many involved counting colors encouraging child become involved story throughout story however help example needs cross river might say oh need cross river cross river say cross pause say cross pause say feel yelling seem mind generally answer either however know much program sticks day year old son mommy need help help help many animal get quite pickle call help help first time say got quite laugh guess yelling something find bearable son old follow whole plot episode explain instead explaining show perfect age three old daughter really watch explorer season much fun watching together good preschool another bonus use naming sometimes overly repetitious still engaging preschool child really enjoy show like interact show learn fun time season daughter instant video play image unfortunately husband cannot stand teeth edge daughter put show feel daughter gotten much educational value perfectly honest learned ni hao kai lan yo little team took one star since entertaining admittedly target audience reason love son learning another language good watch without go daughter huge fan starting transition season glued show educational daughter love attention long enough shower load dishwasher already counting even though normally son boots think good th watching series never get old one would think watching show something better would come along think great choose watch love great grand daughter learned great deal watching personally think much age show friendship solve age appropriate little much high speed device room give behalf year old much show yes repetitive along episode thanks making available show would want buy enjoy fact positive action enjoy participate actively episode spoken could bit authentic however understandable contents always educational entertaining give four star like previous better year daughter though shown growing sure enjoy used teach love boots show set like game spot thing screen like blues interactive love watching lot good learning content show nice video quality good also lot see opinion work let listen video different also let see use android operating system grandson another great addition prime collection learned count less interest well like number season seek educational element love watching wholesome sweetness especially love included free prime membership think educational fun learning process although find repetitive granddaughter use two great like brief min work like bit educational opinion mouse clubhouse go limit quite bit episode every day every day year old instant video free prime account especially convenient excellent show daughter get enough like one though daughter please add educational fun watching daughter dance sing along educational daughter understand rain like love series seem enjoy sing along child animal episode generally like specific episode really cute little attention always seem hold attention throughout show great way teach wind really love explorer good way learn beginning language probably need later life really wish stop would play straight also would stop kick us episode attempt play times eventually cut also like see free prime buy year old daughter engage learn following problem great really love happy able see different would like see prime also good educational tool introduce language younger people wife repeat along course look educational story line daughter show learn needs fun colors less expensive easier use thought season free prime member one episode free love design show far superior opinion mainly interactive also filled bunch fluff really like pure entertainment involved testing new appropriate also good like love still son sequence great get much language wise watching really yr old grandson watched weekend fun n many except wonder edition teach like edition really mean buy season year old bought please please please make sure parental turned kindle little one accidently spend small fortune watching prime streaming great prime let daughter watch special treat better laying around house good picture quality daughter show thank available please considering available prime like nephew enjoy watching educational term vocabulary listening like preferred season fantasy story still fun educational though three year old would watch day would let basic cartoon minimal education value two year old daughter show interactive viewer repeat set dance shout swiper swiper cast boots map help journey resolve swiper fox show also educational word two show think fact people know brush watching taking quiz class yes pretty thorough predictable yet always entertaining two year old day goes yelling swiper great educational show son little repetitious happy see device longer thank fire device son old show also like educational show different age appropriate cartoon learning little great job show prime well done little love happy watching show simple entertaining keep mind nephew comes episode finish meaning found entertaining interesting fantastic little boy enjoy toddler son learn disappointed longer free prime hulu dont show thats going switch daughter speak safe rainy days granddaughter three watching tablet begging play playhouse always get grandma love also learning little adore boots map cousin even older stop watch episode enjoy watching really enjoy especially year old grandson following think enjoy daughter actually watching fascinating watch little mind work engaged show different almost year love even respond map know learning great year old daughter absolutely completely happy watching daily basis cute watching answer show son show watching great cable also carry nick got selection little annoying though prefer gave year old available finish year old watch much television enough feel actually three year old show learned much watching get repetitive though son daughter love cartoon hey eat like candy daughter son love entertain learn lot love would watch every chance get could watch kindle fire better traveling gone phase still enjoy spin also favorite love good decent love thank providing love interact one year old year old learn show good show two year old also team like program good video buffer sure great would recommend video anyone little adore audio video compare go go would recommend good season daughter nothing else really say thanks even month old come year old fan convenient able start pause attention span son quiet happy essential daughter lot recommend u little two year old hard adult watch one two without hair get enough switch giver variety otherwise would watch almost two watched show long time think review daughter probably two three attention even dance music really love video awesome year old grand daughter season would watch let enough quality picture audio thankful another option keep mush granddaughter like interactive learning grandson cable speaking family would give star always yelling talking normal voice daughter constantly see think understanding step step fun show classic apart childhood highly year really cute show watch lingual show opportunity practice daughter watch great educational information safe nice show good getting involved watch passively sure daughter fan since old daughter sheer excitement getting watch give rating sometimes little simple always follow similar script younger audience learn lot get ready scream map map great interactivity like show beat series general age enjoy watching show sure much actually learning daughter sit entire season let plus already learning three said may child four morning awake time probably thinking third round still great going miss old watch blend math comprehension problem key development young great quality good year old cartoon smoothly one odd complaint nickelodeon much rest cartoon reason consistently true across watching may want adjust volume mute done save possibly cartoon cute well structured younger eventually understand order happen show year old girl would watch entire season straight let first cartoon like really capture attention entire episode alone worth recommendation younger better entertainment small also educational would recommend explorer place even year old grandson watch show taught lot problem included prime instant make free prime toddler happy glad found prime package watch much daughter big fan watched couple multiple times quality picture continued get really come back clear back heavy think daughter could less drove super map favorite episode read play talk year old son lot early talking daughter first thing got late talking son talk ask watch especially trucks usually educational let watch want like learning yet entertaining found series granddaughter know exposed questionable cartoon program good informational program directed small learn learner fun way daughter watched never got upbeat without annoying like many age enjoy good video watch danger outside store nice video everyday least one time two year old son video much easily easy job two year old show personally find kind annoying made daughter really definitely learning plenty also reinforce already learned although bit old really issue cannot watch full screen blue clue fan well u go wrong first video buy something handy road ever may need something keep happy amused blue little girl blue bright colors music along dancing well animated joe make great attention getter young teach like math colors plethora great fun show well parent would enjoy seeing child learning fun blue seen movie since little telling husband movie since met could never remember title superb classic good film funny entertaining thought friendly mostly one scene edge teens younger otherwise good film everyone lot say dark sick comedy fashion something mary irene laugh get lighthearted film life love even difficult get way two go life conjoined none less achieve experience life average jane joe one become actor true love get complicated chance risky operation continue life predictable one may imagine humor feeling great fact crazy version song summertime wish could find somewhere unfortunately far husband even watch movie son us watch film truly hope pretty good movie actually funny almost cry little fun time older family couple would consider small little worried reading several said however everything worked fine son fan hurt hand rainy day sick really fun see everyone hear acquired best part show people something garbage discover worth amazing amusing interesting surprising entertaining captivating worth watching always something old new viewer would recommend careful client great box set watching worth would recommend box set fan casual fan fun rest season really taking seriously ever still fun miss jack getting bit ridiculous see last season still enjoyable season right seen really want complete watching really really funny like remember think th episode latecomer mostly due sporadic broadcast times recently able catch series thanks release think series would run steam thanks great work actually second wind th th partly due introduction fearsome new bad guy two new lead ben black firstly perfect villain post world religious listen reason kill without compunction perfect analogy modern world live today question fight real unfortunately fi limited wisdom never gave chance answer question secondly new cast convince ben leading man material turn definitely change mind charismatic leader sarcastic sense humor perfect never knew black great comedic actor fantastically funny byplay bring completely different side personality never seen special mention also go doctor voyager great actor fine job think th season better th necessarily due quality writing still great due lead tapping black throughout entire season arc end season get solid finale unending incredibly last season regret see fit let continue little bit longer th season lived superb production quality previous probably last season exciting comical sad definitely worth watching fi rare treat rather give away plot advice buy unless one seen previous would difficult anyone talk season bought season finish collection although replacement general dean seen disappointed part many really bad one see like show program least leave one hanging usually show good show watch lot thanks opt catch little slow good story better towards end nice see progress character good epilogue film light mainly strong heart season episode flesh air date season team facing dire times black birth growing rapid rate sinister purpose behind child existence rescue carter teal c ensue tapping ben season episode air date quest find weapon capable team desolate world sleeping illness meanwhile psychiatric evaluation earth humorous black woolsey season episode air date team plan stop sending earth galaxy also search merlin weapon col joe rodney strange morgan merlin half sister arch enemy season episode air date august base glider taken capture ba al exchange necessary information find merlin weapon human help eliminate want kill mistrust story agent peter however take investigation since captive might actually clone several different retrieve capture real ba al cliff true season episode air date august teal c team visit planet whose attack deadly similar menace earth colonel eric episode original air date august life art screenwriter command write fi script team idea gen help keep program secret gen jack dean martin willie season episode air date august ethics use weapon designed thwart recruiting encounter half daughter se season episode memento air date trust trying find ancient treasure accident forget becomes waitress overcome amnesia brought plot botched rescue mission detective episode company air date former captain alliance embark undercover mission reclaim vessel eric episode quest part original air date part two dream team quest find merlin weapon elsewhere ba al also begun search weapon ba al cliff season episode quest part original air date team real dragon guardian til one breathing fire however probably real object either meanwhile outside ba al know secret name probably power guess cam dragon blow explosion barely digestion disappear morgan name ancient find guarded frozen grave realm arch magician accidentally mechanism merlin also whole room another planet merlin confuse convinced side mechanism transport still another planet alas without working exit merlin mind connected device wishing good luck one last task ba al seem chance device unconscious search time bit one planet behind visible dial merlin corpse transported another planet valuable merlin construct weapon device exhaustingly intense phases also magical finish work damages mind sam ba al repair device escape arrive season episode line air date entire people may suffer fatal wrath prior converting general carter try experimental device based merlin technology transport whole village test works activate sufficiently large scale force village wounds sam near husband tomin love ordered punishment educate sam cam able activate part device building cloaked threaten village discover arrest teal c even bow submission prior destroy everyone since find sam tomin doubt faith inform confront prior want sacrifice teal c one leader seen prior destroy village tomin carter time get device working season episode road air date experiment increase range merlin device goes terribly wrong sam accident parallel universe different composition since history attack one ship whole fleet soon upon parallel carter line work entire parallel earth works even fire position nobody hurt parallel hank president three prior permanent martial law carter perversion civil even post presidential defense adviser thus active wrath power eager remain time get back smith major episode air date left behind fighting trough found working prior best business need use talk people conversion origin still personality left team plus general jack temporarily merlin personality knowledge deliberately turn prior delaying finish merlin weapon meanwhile get ship earth side time running since team took unexpectedly long capture still carter reluctant go along opening wormhole needs bring weapon even white house kill best keep stasis human nature merlin genetic manipulation plan wasted unless trained place risk entire galaxy case horse giving necessary information suddenly woolsey control space ship beaming jack mission lair genetically time tip balance favor season episode air date three transport row eric price general team spare time earth library bounty seduce handgun taken bus sam lecture air force technological progress together bill lee sniper nearly taken experimental weapon brought along demonstrate teal c injured surprise camp successfully traps killer try cam goes high school reunion making bring along accountant partner still sexy former flame reach amy initially interested still secret crush alien bounty numerous kill rescue publicly kill reunion unless take place trick chimera technology hope failure eliminate rekindle power struggle surprisingly season episode bad air date minus carter previously unexplored planet find pyramid find museum finding party lobby realize first contact situation decide leave find replica thus incapable getting home discovered forced take buy time escape season episode air date teal c bra among numerous though wounded several bomb killing men summit settlement dar soon physically able avenge personally honor less ambitious warrior general sanction killing mission without solid proof cannot stop teal c going alone bra sinister past probably even murdering teal c mother information resistance another planet league plan attack earth comes meet general offering help defend earth part origin sect ordered find stop cost teal c torture teal c killing place wounded made duel confirmed teal c season episode family air date video message unreliable father planet know late attack blow earth even several cloaked laden cargo orbit exchange sanctuary general lam help resume contact mother kim ex even found blown dad entry general go easy realizing daughter career even neglect criminal cam go tell scam people talking goes catharsis telling certainly also even cargo ship sell help track override rigging cargo ship wait intending eliminate gone since never override cheerfully away alone cargo ship treachery decoy episode air date march cargo ship found cheating everyone new fleet operational scary daughter dream reading mysterious clava symbol mystery led single planet address treasure house must disastrous visit team follow next interpretation trap set declared security risk grounded confined area along team still visit address starship upon arrival trapped however surrounded lord ba al ba al beam electromagnetic cage starship back earth general damage two might together back sam show technology fake entire adventure til meeting even though impossible ba al confident take control loyal symbiont team ba al symbiont poison except one secretly used team ring cloaked starship ba al back earth found control symbiont instead killing evil double contact ra ta seem extract symbiont replace ra one ba al poison put suddenly wakes mind power sick bay needs time prepare ascension outside team cut way blow torch nobody mean future especially remains uncertain whether still alive may former least one clone ba al still remains season episode air date march general mission collect knowledge intellectual technological find race dying show however sam forced evacuate crew stay aboard stuck helpless time dilation field finally hook sam finally reverse time one person stay behind stay old thoroughly season lots great plenty action growth gone another season left loose like threat felt rushed fate special say two hour look forward bad season great season shame last one new team somewhat starting round form familiarity really entire series first season last also enjoy entire series available view season nice able play catch one best season show poor way end still great ride wrapping learning ten setting stage two great show start finish reliably entertaining fi good better many genre good likable cast best three series without dean ending kind go show going continue last episode figure wrap really series l left team lost little something great series favorite series doubt get get set finish collection first thought decent attempt excellent film keeping film intent previously fantastic selection spader always dean excellent swap colonel general keep story continuity tight good story good entertainment series brad wright cooper put together great franchise got everything right aside phenomenal cast special mention late whose general one favorite ever tapping brilliant choice sexy also chick got balance perfectly probably first time television indeed really cast pleasure watch digress gushing superb story cast crew ability manage successful production worthy spin like admittedly good original decent second act universe although occasionally little much character emotional development sometimes bog concept probably favorite fi story time considering fi fanatic really saying something back final season really way enemy goa alliance another brilliant idea come one must ex like wraith well say let wright company whatever want getting everything right criticism year format story getting bit predictable story recap setup teaser exposition set conflict goal challenge throw monkey wrench increase fear panic concern anger possibly advance secondary win help solve current conundrum foreshadow next week episode bad guy get make back home spare unless going continued following week see map many formula like various aside minor predictability even though know going happen matter still get angst excitement nervousness get way plus go another review unless verbosely pontificate would way much blather close saying watch entire series movie ten start watching spin exciting thought provoking entertaining even educational story way ahead time best fi show ever made enjoy season must say bad looking forward come ark great story become totally addicted series excellent one disappoint disappointing simply well silly goes team building weekend fate world hanging balance case buy like would bit ridiculous get otherwise right season would dean like ben black somehow good old overall pretty good one team doubt stand daughter leader interesting twist full new technology history know must hard filler one particular give unspoken ending closure long overall great sexy ride time space love show wish new sit enjoy great concept great delivery watching like fact team always looking another world different us drama comes like always technology show tocome something us used society watching tapping acting like repressed overly serious supposed pseudo intellectual devoid sensuality sexless automaton like review cannot find central casting could filled role good actress would done good job people imagine anyone else star becomes permanently situated cranium actor become favorite sense thinking outside box bet many fascinating beguiling could filled role never know people act like person role message god something truly feel actress must close personality character protest range great actress first place feel disappointed show never hidden many fi network also really feel character opportunity grow opposite direction overly serious attitude age show continued age clearly guess one hide aging well ben example ten younger would take someone old give sexy thats exactly would given sexy pursue childlike sweet side manifest older wisdom many people actually get younger get older secret many people think people wrote ear firmly voice society life supposed forty right thats crazy excellent opportunity break read people offended wanton sexuality first watching show anyway religion believe listening suppose enjoy new aside force fed repressed tapping character thats fun even tho like show much character gave show year case blue sorry true oh another comment saw next villain thought far idea yet felt like seen somewhere also hate meet religious people day day life hate see show like avoid nutty perhaps killing anyone believe ie feeding sorry see go though otherwise long run would fun see continue feel boring enemy earth done create season still quite good series fall apart last two like x miss seeing although parody episode season towards end entire season left desire see know story title final episode unending subtly earth galaxy universe end time move need watch decline age get one thing find interesting looking back essentially protagonist entire series story first episode center every major pivotal role goa step step curious archaeologist champion possibly enlightened earth despite least attention practically extra admit one favorite episode great gave bit background look family showing father nice know much besides thief also good opportunity see family little closer however favorite part mine always ending probably one series feel sorry teal c good episode great series tenth season getting pretty still good storytelling feel series age one watch black dynamic story always bad series ended weak wish series continued another couple neither best worst season unfortunately though last season original series major foe still goa make appearance alliance also present long standing allies like ra right get together end except really end story resolved guess wait episode synopses appear flesh blood season bang fragile coalition come aftermath disastrous battle end last season various cast main wherever found must dealing add fleet pretty well meanwhile pregnant pseudo heroine given birth daughter taken plan use proselytize given growth accelerated half dozen many days led uncovered helpful clue comes gate planet sir went quest holy grail may lead weapon instead find seemingly deserted planet lots sleeping sickness plague project giant still open one comes idea close take ship galaxy visit hope open connect gate adventure several ago alien ship picked heading directly mountain air force manage force learn one aboard baal offering deal provide location merlin weapon exchange help baal clone army know place completely uninvited colonel ordered accompany general get away men find experience stressful meanwhile team another planet investigating hand strange alien beast similar begin happen vicinity general retreat sinister connection turncoat known trust comic relief episode alien passing human back pathetic type show making movie based series team assigned help lots th episode time fun team undercover investigating planet taken launch surprise attack weapon used destroy team beam time living planet leaves team access undefended ship memento trust attempt ferret treasure anything else mind reading device rescue attempt mounted go poorly case amnesia everyone good bad looking company alliance bait trap capture simple act piracy part complex power struggle within alliance colonel goes undercover try get back ship rest crew quest part team find merlin weapon arrive correct planet find days group say everyone retrieve treasure try figure arrive conquer place destroy threat quest part team final test getting past dragon dragon rather hacked slight delay merlin found alive team transported another planet taken except merlin willing help battle get difficult much difficult line sand technology gotten merlin team try field test village dimension shifting scheme works first technical cause sam hide colonel rest village exposed hacked road taken sam working power ancient cloaking device small explosion wakes find transported alternate universe earth imminent threat attack way get home help find earth significant home shroud team investigating another planet prior prior new approach instead prior persuasion team learn new prior none plan nobody side bounty alliance like way eating profit place bounty bounty galaxy keep naturally team unaware situation trying carry mundane quite embarrassing class well bad team investigate planet possibility treasure trove high tech wind museum midst party believe team local lock believe team another planet believe want take talion meeting trying reorganize bomb goes many wounded teal c among wounded blame renegade said working sanction immediate assassination quits take care meanwhile leader dissident form alliance earth family everyone stranger contact information plot destroy earth everyone suspicious none daughter stranger information asylum earth turns even better con artist dominion one complicated series convinced reveal location ancient treasure trove acting series team faith found daughter team capture turn baal baal plot mind like neither unending much season summon brass mysterious meeting delegation say prepared transfer technology reason race dying technology transferred show begin long chase carter comes plan slow time work new technology meanwhile rest crew goes stir crazy waiting wait long time new new new fast action story good production leading role hi wondering someone help watched question regarding particular box set bought link thin pack regular size box sent unable reproduce problem um stated description say actual picture stock photo problem reproduce clear thanks help ensemble able view prime subscription exciting fun watch team grow team season one season ten also almost apart series getting seem bit long tooth solid writing great usual stellar production course continue enjoy series fine blend pulp fi space opera always never get old glad see story hopefully wrapped come look forward writing team future interesting evolution future one two filler flow season also finally season much plot explore carter hooked currently watching eleventh final season every night buy season eleven g onward season time public enemy number one needs saying season already watched every previous season know fi television series watch one plot patience bad job running th season watchable c mon got really felt show get show favorite believe much offer glad watch future without help man miss finale though black new chick actually last season part season great chemistry merlin aspect story wonderful even though one col jack dean still good series final season story thread bit subsequent ark truth movie filled missing franchise one like last two better first fi fan tried love throughout never like whole dean smugness got start watching two really one favorite time favorite ben added bit spice show thought past thought nicely rest cast last two really quite good cool villain great comic relief black exact opposite character though early plot come pretty easy start watching season finale great one leaves wanting two made coming interesting see conclude story bit uneven forget even cast amazing looking forward arc truth sure animated series bit prejudiced seen previous good better miss jack ben substitute engaging personality without imitation jack becoming quite attached final show bit strange leaves scope forthcoming replace series eventually good funny plenty action would watch enjoy th last season exciting ending many story throughout series many exist beyond series film know last season make sense subsequent entertaining worth avid fi killing thinking none less cool year end compressed lot early beginning story less interested new completely removed season guess exploring reserved spin bad much either play hopefully series good balance science fiction ancient mythology build always jump start watching season husband last season hate see go start sad finished still pinnacle season funny though enjoy star gate one favorite series next star trek well written imaginative series continuous joy view dealing broad range science fact based episodic gave us new enemy also felt little redundant somewhat since already notified series would end felt like would renew series new saga ten time give series decent finale get finale felt little weak series already past price set say go ahead add v show collection par past eight still part intriguing story cast make watch season end make put mind ease whole heartedly release season whole season due one really fact end season find two direct end year saga say without doubt favorite mine season would quest search seizure merlin anti weapon help bal shroud prior unending give handle final legacy attract location anywhere galaxy due integration core time field data col teal c major general hank carter hell time dealing time passing great fi show good character like fi wish would bring back soon three great universe worked together warning many additional warning thanks television final already shown much world following review based seen everything series finale amazing ten year run comes dignified end couple already works plot left somewhat open end series probably resolved time hard point know show legacy never received critical acclaim series like firefly even received one point specific ways fi series simply around decade unprecedented fi yeah around longer presence far episodic sometimes prey budget smaller show though certainly case present incarnation certainly number right writing strong throughout production strong beginning end never scaled brilliance series still produce many memorable perhaps legacy something set aside decade amazing tenth season largely successful effort self recreation season nine plagued pregnancy tapping black black wore season ten reveal fully given birth highlight season ten might outfit wore high school reunion episode near end season season huge fan mesh well making tapping missing early part season black middle present entirety season ten black real life pregnancy fed plot season ten giving birth mystical child super leader firefly grew full grown woman overwhelming matter throughout season struggle powerful foe yet nonetheless affection towards mother convert belief season ten work else black although long fan show long felt central problem core cast though dean jack ever wise cracker lack genuine humor core show despite attraction carter real romantic chemistry really truly funny real sex post well brilliant team wound tight rather col would since black ben perhaps great romantic couple fi sun great together unconventional free spirited appealing threatening boy scout huge fan black sun stern serious character delightful seeing show character brought bit anarchism frequently show regret series coming end knowing next one endearing season program gradually allow become part team season opening start main four gate week join four start walk join main plot final season ongoing struggle group ultra religious religious fundamentalism domestic international news us trying force public opinion conform trying force rest conform violent intolerant vast majority agree nothing could relevant intolerant religious willing kill agree significant season ten father seen life extended several symbiote becoming member ra finally die also entirety well although noted huge epic series finale surprisingly subdued quiet also thought remarkably appropriate sure temptation big ending instead decided focus instead relatively unspectacular intimate episode time essentially frozen main five simply spend time together actually live life romantic bliss typically manage brilliant scientific solution dilemma end teal c retaining memory preceding show bemusedly fall ways know potential remains classic series comes end best fi series ever ground breaking likely one influential running uninterrupted fi series history fi us host memorable yeah unpleasant used science magic degree almost parody endlessly mean many alternate universe really need many times multiple character suspect refusal use plot device twice ever employ science magical fashion great deal abuse still show took us host wonderful us wonderful continually entertain delight got know core group quite well many get ten even manage ten well show starting seem bit old end almost series ever last ten still something left tank end rounded series good ending probably good time bring end series maybe strong still interesting story line kept spin movie star gate spader series movie left well written acting good course dean gave show sense humor give show try based science fiction cast gave year run good end good show two ark truth continuum must watch season big fan already bought watched season first nine nothing would stop last aside rather weak together remember first time month ago every episode commentary track either feature relatively uninteresting people providing little hear director lighting hour huge fan seen every episode dozen times really forward past watching along side peter find lot chat well find early morning featured half asleep love bad guy unending mine give though last season really fit rest season arc may great old new writing still fresh love season th episode pretty dumb many got away ongoing theme still pretty good especially glad could wrap follow arc truth movie still best segment good first could gotten free season one better season disappointing tedious idea rip well done season less rip several interesting favorite episode one goes planet mistake unusual first contact situation episode like early less like space opera become character lot zest season enough bit tired glad bought season watch much many episode new found looking forward next episode time actually thinking watching season rather weak jack guy two less exciting everything downhill wonderfully epic ending season season though much better bad one character terribly creepy evil daughter merlin gains amazing cosmic th episode silly weak side involve lot shooting still number starting beginning brilliant project visit outstanding episode three company lots misdirection almost slapstick like humor convincing bad guy mid season set merlin quest find grail quite surprising one fitting end phenomenon everything th season way end two direct video due stand alone th season get see resolution conflict alliance end romance black show went lot change last three wrapped new new colonel ben well known fi black anther alum providing show additional injection energy beau came board spark show well dean th final season spirit kept much alive black tapping judge proved link chain old new story arc among best stand alone exception probably th season seeming like filler times stand alone may may appeal like x stand fall based strength plotting realistic wrap within result better abrupt old ex help command sometimes unexpected time could devoted story expanding one episode long time fan happy tag along cast found gave final two chance extremely good best times show experienced lot change last three would make one expect lesser previous nothing could truth new perfect show departure dean colonel jack addition beau major general hank replace long time cast member character couple season nine major general various guest regular star trek voyager season spruce last season show also story arc nicely resolved last season well show pretty good digital evident notice care keep mind amount information disc th season rolled season sure show ray show fine well priced commentary every episode except one suspect probably accident one episode two commentary probably wrong episode second commentary track director series director episode disc also got usual assortment photo production included well trailer first two direct video ark truth second one also coming continuum time travel reportedly feature dean th season overall good one enjoy really like fan give like enemy powerful though love show season ten great finale came late renew acquaintance getting season ago watched ark truth see favorite actress black sun interesting plug found lost backed see order understand ark truth season watch air balloon almost pinpoint rug incredible series mix metaphor sudden special effects much less creativity story disappear like creative brag much great stuff crazy plot obviously filler finish season regard shame think wonderful spoiler special effects end major plot line even show see light face ship take gee think worked strictly entertain show argument case point even go last episode big show even could done better budget watched ten show instead last would furiously cutting tiny make point find whatever black watch tolerate ben character wherever fan teal c judge indeed part vocabulary thought beau made great paternal figure story arc daughter one ended well lam right like tapping many one understand could written hook plot decided since everyone going back watch beginning even though hate wormy movie entertaining thought provoking look world crime one biggest boston really drive movie particularly jordan really working hard screen slows times view crime cinema new transfer gorgeous quite memorable saw former boss ending hockey scene ironically bobby tremendous future little proof crime pay well made exploration criminal road fast cash piece dream often bank robbery movie path one brutally desperate dead end screen legend deftly low level mobster penchant getting mixed wrong crowd proof real criminal life many shady dealing back stabbing almost turns comical get real job furious whirlwind bank everybody leverage highly departed subdued ultimately believable version boston crime good found go ahead watch great acting good plot cool great one film minor letdown reading five star nothing intrinsically wrong film theory circulation reputation actual artistic worth everything though good direction atmosphere writing acting superb stolid leading cast particularly steven jordan fed think spoiled high quality genre prince city martin departed without reservation enthusiastically essay turned v dialogue writer ever read last year killing softly got wit zing poetry right delivery brad amazing realistic approach dialogue great timing physical presence completely believable low level mobster otherwise kind plodding perfect role like realistic gritty one set boston surrounding area story aging criminal trying cut deal keep going back great dialogue intelligent screenplay location better known movie mark best decade crime since one best decade movie full car stream dirty language subtle low key gray overcast boston skies almost entire movie character study small time gunrunner jail time truck new turn informant world hard know trust probably better trusting nobody lesson far late performance times night past cape fear never judgment superb know say boston accent note perfect weary tired still pragmatic guard may make living breaking law remains sympathetic character lethal ruthless cruel agent jordan enigmatic concerned exacting last word almost every scene never hear nice day without thinking spot color screaming yellow road runner driven brown flamboyant gun runner late steven part peter bartender informant plain menacing part deceptively small first sadly becomes absolutely crucial many sort thing quite well much one character ben town good many mention many pay homage movie look feel one movie fan serendipity coming across great little like one movie realizing end roll delicious irony title subjective fan probably like got certain style demeanor synopsis pretty much subject matter movie finding good material easiest task around number print highly produced get issue disc say criterion one already going best transfer special offering true everything produce everywhere forget like thinking movie past probably like new disc time undamaged excellent ex con turned informant help like also help feel especially helpful detective may consistent notable although less experimental clear generous world dreary one like kind thing like movie overall great film genre thoroughly watching incidentally contrary popular lore line life tough stupid appear say fact cast film exact line spoken gun runner brown time index criterion edition life hard harder stupid taken verbatim novel film based scene read may line film guest television variety show nobody able pinpoint review criterion boston crime film novel v prolific director peter damn good yarn past prime mob fixer gruff almost artless performance much celebrated film personally think carried highly quotable dialogue fat movie clearly profound influence probably many know sung book criterion disc commentary reprint rolling stone article see bonus lasting influence boston milieu also seen film new director digital transfer age always good way mind grain miss clarity look criterion recent version print age even shot older telephoto eventual ray issue improve transfer bonus criterion best good movie great story plot line little slow little plodding seeming follow much arc instance put husband asleep treat heck free prime peter green godfather book v know good classic movie time period acting superb found ending weak last film drawn protagonist rally end rolling practically mid sentence well kind movie would flung popcorn soda screen back gem novel v exemplary kind film noir unique chaotic noir world protagonist fast irrelevant rapidly world even corruption used fitting protagonist aging hero classic noir cycle hood boston mob caught recent trucking job set bar friend peter looking probable prison afford time gun supplier federal agent jordan interested recent string bank man another era much willing betray keep prison paternalistically young gun supplier steven rough business importance caution reliability old longer realize everyone late game currently title cynical depressed era made year scandal broke hardly surprising law enforcement ethical outright criminality shot location boston director peter style unadorned lot procedure enhance film aura authenticity criterion collection spine bonus gallery behind director peter feature commentary one favorite directed choosing cast lot work film style reality simplicity process also included booklet essay film critic kent profile rolling stone enjoy old action one good could better sure seeing old fun great writing acting boston time machine boston gritty real perfect taste city authentic glory must see yes agree everyone film marvelous quality video new high definition digital transfer director peter know technical black level lousy black impression scene normal daylight look fine night time guess live gritty crime drama bob one best story place boston since boston got quite chuckle said new accent hurt like funny good acting job excellent supporting story line well boring thats see movie long time great movie career great performance later career low level career criminal tough gritty unsentimental story boston underworld read one review site reviewer like music well agree music excellent movie criminal underworld judicial system caught turn acting first rate nothing done top doubt people short attention want extreme action like movie found film realistic movie get one favorite crime watched film heat many times never gotten great movie may even good criminal people circle kind thought representation though writer pen obvious nice get kind surprise ending bummer really somehow bothersome thought peter character interesting actor gun merchant excellent look gangster life gritty feel small time excellent noir peter outstanding fine form cast full reliable recognizable character superb story courtesy v novel great film great like idea put leave season tension build beginning season sleep middle team human befriend still around cause mischief read quite apologize brought already love show see truly thought season great fun really reason gave instead disappointing maybe error alone know knock bought directly much better quality episode inside time around printed outside usual action inside white blank paper mean picky show best enjoyable actually one two maybe saving money making complaint every single commentary background people make happen personally thought prior entertaining remember hearing one commentary enjoy hearing set time tao rodney even though sad small definitely keep watching season still recommend buy know enjoy love fi love season three series first two series seen far also good lead second third time watched show appreciate prime away fun interesting show love good show season good season far superior season episode man air date two wraith hive way earth colonel rescue figure way stop wraith reaching new feeding ground season episode air date turning wraith hive ship crew team must decide fate meanwhile weir scrutiny woolsey season episode air date man another world unusual effect team causing behave strangely unaffected team must uncover cause season episode air date august come attack forested world realizing planet visit came harsh season episode air date august expedition highly advanced race first believe however new race new face old season episode real air date august weir earth everyone else expedition delusion season episode common air date august evil genii cell adjacent wraith weir release season episode air date sister comes vital mathematical proof rodney earth visit sister take become complicated another rodney parallel universe season episode air date find influence wraith mind device force entire team kill season episode return part original air date testing chain allow travel earth carter gate bridge team discover ancient ship traveling almost speed light weir request expedition vacate city season episode return part original air date major general jack mission defend woolsey taken prisoner assault city team weir steal jumper command earth come back galaxy plan retake season episode air date congregate around city begin suffer ill effects communicate attack season episode air date team investigate invincible hero world find hapless village season episode tao air date shutting strange ancient machine never seem rodney team must race save life season episode air date away secretly one another real time strategy game discovered surprise discover game season episode air date team last civilization suspended animation aboard space station people awaken past threaten destroy everyone station season episode air date almost every member expedition day enjoying free time catching old work day like suddenly turns bad lot people danger season episode air date team goes searching alternate power source beneath surface ocean power plant wraith nearby season episode air date losing contact new people team super volcano destroy planet settlement team leaves investigate finding town deserted move investigate extensive subterranean tunnel system find dark tidings entire galaxy season episode first strike original air date learning building fleet earth ship command colonel initiate first strike stop worse earth fun interesting plot worth watch wraith cool enemy remind found binge watching series totally first recommend fellow best series worst wish long really series made great leader series getting better time new old showing well really per say never get old series ending wait till comes back see next brought universe since gone back watch like definitely favorite nice adventure science fiction action drama wraith evil concept good story wraith dark less interesting fantasy exploring new new one transport entertaining enough subtly point underlying greatness humanity universe big fan like series spin much enjoyable watch without commercial prime like show wish would went know else say see third season felt bit uneven still good several pivotal occur season fairly essential overall series always special effects used show space three dimensional beautifully excellent series surround sound excellent balance standard cast solid character development one best action adventure fi general enough allow us connect story acting superb season three best thing series humor tao rodney irresistible sadness really feel comfortable willing explore always love behind always good worth purchase think r review way base agree joe however well defined role much like real life many ways could disagree terrific find role sa big lug real life good actor extremely quick witted quite talented also especially hand hand combat tell easy since series ended cast several much big screen way actor series far people get written happen many different think example tapping left leading role sanctuary later show lastly r great show enjoy watch regular bases way bother first hesitant start watching series really want disappointed watching first season hooked last year never watched plodding along really season start feel fleshed feeling like cardboard cut previous wont give away good couple running b show every something season one two lack short given season worth watching almost like afresh season improvement season number different warning ahead first interesting gains fleshed bit like rodney left cold thought character pretty good first season around middle season end completely lost interest basically around little eye candy even scene lately come across somewhat thou attitude miss read somewhere pregnant th season meaning less screen time rumor also rejoin left people leave also lost gain first character lost episode sad episode really character really nice cool calm guy providing moral center like perfect yin rodney hypertensive egocentric often rude yang jewel best known firefly grown adult like like character firefly good taken seriously always still another character weir role slowly season much like really miss although fate undecided end season going die season veteran col carter become new commander replace spring board rodney past chemistry like bases getting quite volatile reaction first end also butt lot rank militarily lastly also read previous would disagree first rodney hilarious character annoying smug attitude funny especially different give rodney ex threaten annoying use patronize even though rodney realize one thing like season wraith practically non existent instead done death bad really starting get old since used much think good point learning need bring wraith back since dominant bad need delve culture whatever opinion season people agree gotten better since season quick end like major dying heading new planet put new potential awesome season hope screw rut new stuff interest going like interaction people nice bring old back every often show good overall watched fit nicely probably right bad probably end way much better latter end like old days dean fun action suspense recommend something easily recommend series high praise big hit series best fi five best tiling nothing significant except miller pretty bad minor quality love series would without rodney great role good first beginning enjoy first three big fan spin chemistry real convincing complaint order keep many bad alive inject future peril team direct main periodically make stupid illogical result adversary getting away many instead shooting bad guy site like real military would show sympathetic pretty plot totally dependent space idea season saw return finally station blasting space bit tired culture centered series rather weak potential left though like tackle ascension angle bit quite enough dimension good fi movie good good story line would recommend movie family looking relief reality honey place interesting fi without needless many spectacular unbelievable special effects one favorite time ability totally change personality enjoyable way pass hour series great go back watch prime love prime choice si series de fantasia se van con ya lo visto equivoque nice like series humor fun watch watch finding entertaining nice great fun romp corny sometimes overall great science fiction season great season episode another dimension love loyalty towards face increasingly adversity frequently kept guessing shepherd going get next bind episode make satisfying saga look forward watching next episode without feeling long marathon good season following first season enjoy season much worth getting great show third season full classic wait get season little realistic star trek actually feel like could happening love nice mix drama humor really good poking fun fi general finished watching third season set still favorite fi show rather warning first story arc failure huge advancement story arc concerning wraith happen sure appear good seem like story respect particular second killing really maybe dating bit kind like rolled together cooler head lovable character third entirely new galaxy backdrop series thing original enough amazed story arc going creatively bankrupt already fourth old fi like weird alien thingy disease loyal start killing original star trek episode naked time done star trek next generation second third episode series fifth back whole ship full kill end two part episode gone great mysterious race past plot device create destroy get episode two ancient two used secondary interesting could explore rest city ship could much could done sixth lack character development could full warrior princess rich heritage wisdom little pretty say least face great body never dream head lot monotone man nothing must appeal certain demographic still still season ended special effects spectacular tightly written script team capable course wealth special get part standard package franchise greatly value set seen season four everything fi little great story line wait next season fun show mind every watching like good like show also especially sister show good purchase good action great special effects sometimes plot still great new bad make interesting look love concept different planet story line good except wane season four whole wraith thing exhausting point lost element surprise time made season three want see rest like better full disclosure said little torn direction went season season season much beloved chief medical officer story arc weir like carter tapping also weir character sure decision disappointing show well written well produced recommend finished watching episode submersion first time watching series way point caught many overall must say really enjoy show however suspect yet time favorite show star trek voyager far good wondering going tell us wraith queen maybe develop character definitely diva sure excited see reading see think ran careful see one going kill wee precious absolutely love accent brilliant sexy cute way shame seem really little offer far could prove wrong continue watching yes pretty really much else far character acting however definitely hot yet much else tough guy thing warrior fighting thing well yet much continue watching could improve come life hope positive note love also great perfect role boss lady love well getting back watching hope everyone else well never got chance see airing enjoy able watch commercial free love look fake humor well done visit time soon product took nearly three get thought little long glad got season one two good season three series shark however still worth watching due fact writing guessing although simular dating far back original star trek series fit new audience must admit even still enjoy series thus four star rating always movie plot watched first series story line going first three hilarious thanks rodney character finally used way entertaining actually across episode looking something fi gotten past first three laugh rewind laugh rewind rating season strictly single episode set awesome many series set none episode goes small movie feel commercial art slim look like bad print great easy take put back nice art complete case slim take lot space library booklet small summary back cover case volume menu nice graphic easy read unlike season scene selection story agree season weak boring special effects step specially season finale beam shield city going underwater city raising space complete extravaganza well received reviewer wraith touch upon much story felt like stop season character much making think bring nice threat watch learn used show knowing complaint another show new galaxy new show new hand saw borg universe course universe like death doctor becket specially departure weird unlike like character little bland times strong leader best overall excellent show four writing staff could better great show glad see available sad streaming better audio video go sync video fast forward catch never problem streaming video series level predecessor overall series grow entertainment quality per episode especially get screen time background series well wraith remain primary enemy series also get intrusion past well g well cameo time team jack getting personality series well super model leader still unneeded become somewhat less annoying series well series say price going pretty good bargain add five shelf well say rodney hi jinx shake stick wraith cool went whole series inter personal continually irritating one know often wrong life let face going appeal already show curious enough give look chance see crew disappoint fun seeing old gang contain basic menu system disk quality pretty good especially converting player considering st two came together good price individually also good price definitely good series far cable dish season behind play catch watch special though many seen absolutely wonderful series well disappointment fact special really nothing special season really magic inter personal team shine bang bang shoot em junk knew wife gone every disc season eagerly season release good show entertaining series still season left watch catchy dialogue plenty action science lot swallow realistic better one movie much watch next season well hope enjoy much awesome show fun entertaining something whole family sit whole family original star gate good cast nice concept extensive special effects broad nicely done always original show good season every bit good sorry found beyond break perhaps inspired movie blue crush four young live together sponsor coach former champion surfer corporate rep great art wrong place entertainment surprisingly gripping represent several character socialite dawn good girl birdie local girl kai trying leave past behind except perhaps birdie one flaw another fact theme show early good surf campaign something realistic love really show apart setting almost character passion healthy fashion model socialite except maybe dawn way n network picture quality step director cast audio used found stripped ray release making film also taken ray get film looking bonus luck ray release turned good combination comedy horror film yes humor geared teens people far older still get lot lot older lot warning pretty gross least comedy made particularly funny film bit werewolf undead despite absurdity couple good generally purely escapist fun reason rented idle read playboy playmate kelly featured movie actually idle entertaining funny interesting kelly well disappointment highlight scene making car great scene ya havent seen give give go horrid movie good twist stoner movie genre odd amusing movie teens spare time yes idle make laugh seth green alba headline cast worth movie adorable cute fun funny cult classic good lighthearted comedy horror movie one say seriously kindly excuse must take time last unbox video lots good instruction unfortunately security said later remove utility computer recovery net framework install cannot reinstall unbox player net framework install unbox installation also install net framework install net framework service pack net framework family update x date last net framework service pack full cumulative update many new building upon net framework cumulative net framework net framework net framework family update important application compatibility combined service pack update applicable running version net prior version prior version net framework system memory hard disk space update removed via add remove control panel get help support information prison break one time favorite saw order little rough good shape quickly overall happy purchase shipping quick item well avoid damage carrier thank good series happy crew good actor lot show product overall wish one plastic case disc case overall satisfied sorry late response opposed later show season still felt like natural progression first season fantastic mahone guessing edge drama action would keep wanting first question think many people want whether season good st opinion quite good season one could tell season worked detail every step way simply brilliantly plot filled suspense wondering going happen next season also suspenseful great still deep convincing one cant help notice sort apart towards last one got feeling ingenious plot season season effect well go direction actually trying say season quite play clever way season said highly entertaining season keep st time edge entire time highly recommend box set simply even still series think die hard enjoy immensely hope useful south season good run full drama dont miss twist still surprise good first season liking better compare two though comparison naturally season however lot difference two really plot different unlike season made sense episode season strange rather illogical happening forced jump engrossment many times even felt like still good watch going season let see panama cant find prison break sure set original live bought season holographic fox label somebody us nobody stick original acting story line much better season gone watching tough season st actually never jail body basically get free season season made interesting see half die everything great must buy prison break fan still one best series available today even first much better probable writing good stuff know solid season season fall far behind long enough keep good days even watching times still nerve racking intense almost good first bad thing th world image old ways poor geography knowledge logical way sucre rest good show believable hanging looking forward next episode watching whole family got hooked great series really like episode let start saying entire season much first love every episode right next nice thing box find way late watch one character development great bag perfect example guy complete catch bullet help respect intelligence tenacity hate like time insane consistency show absolutely atrocious gun expert could hire someone caliber pun intended would able sort every issue many show audience likely basic familiarity gun stuff inexcusable two scene two different angle character two different different even second example one ammunition later use fool run everyone brother would leave situation without taking free room especially considering numerous could gotten trouble enough gun stuff conclusion good fun fast paced show bit top little thin continuity plan final break beginning end season miller brother run police government want dead line well since ordered also want dead anyone else tried help brother show messing around season regular robin end first episode season agent mahone think catch later turns ordered kill plus guy threat extremely smart always know next move going another thing season thrilling never really know guy going next going find next find kill bag ball whole season see guy die bad anything see die fantastic making hate worthless piece garbage rat innocent people way away season agent back important season goes turns need want clear name lot character development going season lot running going season since show great writing always engaging never really know going happen next whole lot brainless chase whole season always exciting edge seat plus still figure escape hell season everything really really must see favorite season show disappointed ray understand fox decided release ray release upset show got little lost first second season entertaining nonetheless would recommend anyone another thrill minute roller coaster ride hate love episodic better judgment keep continue button sweet satisfying end sleep deprivation damned must see fitting climax wait august rather electroshock therapy view season much man take totally love show would stay night watching see would happen next got whole family hooked wait new still watching getting oh wait season still watching getting get away already still watching captive season one definitely better kept watching eager next episode however season still suspense thrill prison break known know love different setting clever plot surprising never see coming season keep edge seat definitely worth extremely enjoyable constant excitement energy never completely unpredictable series second season break thin believability rating full action plot character growth right think know going happen end show hanging next episode full wait first season enjoy second well read true bought watching season one done producer amazing tired suspense suspense suspense lot better trying watch show thanks great wait see season three turns every show end finished watching bought version last week good good season one lame weak writing like fugitive show unique original first season great acting good recommend three weekly visitor maximum security prison thought would distracted saw technical portrayal prison well story plot cast dastardly thoroughly entertaining exciting series watch one series better see first season first came watched watched season also hope eventually buy season like whole romance interaction great introduction brother father episode identity even never watched show initial impression another rip watching entire st season two days think could wrong unlike character driven show breathe real life charisma new cast member tamara great new addition really well incredible see quickly role also see caroline belcher state prosecutor effortlessly every scene also fry starring right angel goes therapy voice hitchhiker guide match made geek heaven known would watched series sooner yeah fry terrific role fun watching bamboozle befuddle thing great series every character arc season major family tough guy goes therapy really get character reason keep watching show often gruesome watching show charming never watched recommend giving go season enjoy watching enjoy select pleasure rather quickly figured would problem bit transit place broken fine transaction one best seen show real exciting episode season would watch episode player pressure missing set seem get missing episode anyone received also gravedigger fair always love angel series merit quite well season two well mystery father story arch actually moving forward quite substantially season one actually satisfactorily leaving new deal great story telling good series usually drive story arch forward may good afraid play reveal new think good series actually real established back story cohesion credence story development x like fly seat pants let make something keep guessing game ingredient course good booth part ensemble cast much like angel buffy truer booth one episode left rest team would also left another ingredient good series supporting season meet psychiatrist fry steal scene every one would love see back also psychiatrist sense one get advice psychology stuff neal also guest quite character comes across lovable though streak tough resourcefulness definitely see character serial killer menace cast couple convincingly new boss season turns booth old flame great addition cast new prosecutor cantankerous old lovable one point team get together litany team done wrong previous quite fun hear sully replacement agent worked booth suspended eventually becomes lover leave behind sail well know season set know answer develop one examining board decide doctorate team church wedding letter president one booth finally father excellent going use chemistry class gas relevant thank several season usual fun watch solid touch humor enjoy show enjoy collection little disappointed less bonus material first season e g commentary actual bonus material last disk still great generally fan without story episode procedure legal medical close exception get give credit excellent writing acting supporting rich really show best downright terrific laugh loud times smart season growth mostly even running ongoing still hit miss every episode really special higher batting average first season still good almost always watchable one two really work often see mile get little stale show best really often funny sometimes heartbreaking inner running simply brilliantly inevitably catching bad guy gal human side grief pain left behind well made show clever crime week status great forensic humour apart many detective currently booth chemistry great somewhat skewed personality well enjoy science wish sexual stuff important glad see much detail someone show fast paced bit thin story still fun better many network based forensic science unit institution show always murder show solve forensically relationship seem work spice grave digger father favorite love show great plot though sometimes entertaining highly recommend anyone fan crime sweet likable fortunately second season high first season chemistry booth also new female head chief cam team clever idea worked nicely intriguing superb support fry like guy buried first case probably love angle make great television like show cast great like plot glad added play feature season one review reflect season relationship background show tested trying get trying save really good show well written interesting captivating great screen chemistry well quirky right ways one play otherwise good shipped quickly also watching really enjoying season one wait one fact even ordered well advance booth wonderful institute new boss really dirty unlike previous one mainly administrator episode wonderful unexpected sometimes shocking season love season building momentum first season fox series successfully combining morbidity forensic investigation intrigue budding office spicing old booth cam tamara becomes boss initially uncertain work together soon hammer workplace agreement truce ironically hard nosed boss life later becomes toxin man cell little drama workplace booth also personal problem deal season ex new spend time son protective mother child bay convincing acting concerned parent young child series balance booth girl curl obviously drew inspiration still unsolved benet case booth figure child beauty queen tragedy visibly concerned seen stuff job learning undergo considered pretty really discover actual identity killer really like season although deeply miss character goodman understand character another dynamic team quality box good especially like play function missing first season let start saying one best best screen chemistry supporting cast excellent second season really saw growth character driven excellent writing problem box episode player pressure went unaired fox respect tech tragedy included set real fox video unable give either comes company buffy episode earshot broadcast similar reason later include box set season fox also good include unaired box confused disappointed enjoy hyacinth bucket perfect role get lot watching catch one bet enjoyable comedy last highly recommend acting writing exemplary good series love humor worth watching great job want good laugh series help feel sorry funny family way make fun something else something good writing great casting characterization drive right edge make laugh way precipice although really enjoy show new watching instant disappointed see mixed episode missing instead repeat luckily could watch missing one love watching periodically many wonder hyacinth tonight think high recommendation unfortunately cast good small keep coming back world interesting true even point view since watched instant prime bucket break watch pay watch bummer would like know sure get lot hyacinth bouquet paying rent buy every episode watch device cute show unfortunately area done many never know since continuously certainly predictable every often true gem like hyacinth visit estate sale purchase wine make laugh loud father law series find though bit premise different episode would recommend however clean funny entertainment family right know television enjoyable season get sometimes sometimes wish shut listen disappointed middle watching season longer prime eligible get finish watching season good program enough like plot propensity violence blood although include enough still good program definitely low budget best show seen still worth watch good luck dragged beginning interesting point said bit better event defiance falling skies better hope looking forward seeing grim cast needs better story line series wish acting really good plot pretty entertaining series although disappointed found series second season kind leave hanging end worst possible outcome happening remember seeing part good one worth watching interesting plot concept plus acting really good overall series well handled interest right end end however stopping point wrap left important unanswered one may good rent die hard science fiction limited audience watching probably watch great job unusual alien invasion story like well expect state art special effects expect elaborate rather find delightful cast story line work like strange craft crash soon transported current time period must figure discovery share much detail story except say come invade good bad note well short series involved second episode episode episode excitement anyone fi also like good acting series worth watch spectacular like falling skies pleasantly surprise give flamingly handsome cast pitted entity living stuff path big blue marble character laid bare even earth like bag football practice something appealing dance human frailty imminent doom easy tell acting tried maybe pay little low like fi vintage cheesy try u might like ut really got show disappointed find season real shame would seeing mind bit dark kind kept edge seat maybe earth could benefit p show little ending left little desired kind left guessing seem like ran time know end story got looking series type good type show given one reason excellent ending tradition best classic science fiction tradition really saved series huge time investment worth watching despite terrible acting even good appallingly bad bizarre plot cram several completely different one short series leading real mess love classic science fiction think worth try stop end probably left disappointed star show first thing notice pretty much every science fiction show really human even never quite care hand watch reading dictionary overall like doctor real character development emotion important worth look actual rating half wish continued gave back story bad good sent lieutenant warn prove theory relativity correct show would made great television series give happy watching good show simple plot good story line quite par today special effect like old stuff like series available like know colleague watched three times time saw first time good fi enjoyable attention min make watching series easy entertaining enough still need finish last episode special effects quaint enjoying wish better hard see sometimes range interest story line good like series although acting atmosphere little weak little slow first bad enjoyable somewhat different story line typical alien series kind b would thought acting great story plot well written animation good given time frame movie produced wish ending would positive one sorry hear sequel highly recommend view gem series may think typical alien film get may find enjoying unexpected turns would given effects bit realistic times acting little overall enjoyable fi mystery show little thought overall plan would fun watch reveal plot steady enough keep coming back various faction forming get little main character tell anybody anything protection cause greater harm type action needs toned make story believable main character also invincible sane person look main character everything else enjoyable worth watching lot older program enjoy watching acting good story different ending unexpected thought unique special effects still hold show saw listed prime read show science fiction fan say worth watching would great video someone looking build better field vision awareness team u pretty self apparent real value way coach home key exercise begin camera liberal use coachable moment reinforce proper technique make video follow leader type v v team exercise fundamental improve awareness space around great video good getting grain brewing like however kind video going dive advanced water treatment grain wort finished product dimethyl reduction gave video certainly great grain brewing certainly use however title suggest would like seen advanced grain home brewing think appropriate title video would grain brewing right idea project unfortunately never finished uncompleted rusty throw inch long arm lift without talking much really much talk drive line weld cage sad never finished hate show interesting find people get mark forever review covering six ink reality show tattoo shop beach run six first four interesting learned lot process excellent tattoo talk make last two really dragged interesting towards last season six best far interesting people really think ink kat left kat brought lot interest show honestly watching show kat family person funny everyone respect good relationship fellow tattoo except ami obvious fan base blame leaving whole beach scene bit rude people season four chopper hell anyway want tattoo sure ami want script people come obvious lot people make get need reason get one want one hell get one guess show talk though lot sad people walk get tattoo sane fake lot repeat although would actually get almost intricate high quality sure ami decided open bar feel time consuming rewarding art sure make money interesting kind bought working five season mention episode went new think man lost home wonderful painting beautiful become tattoo artist ami ami one wear heart sleeve may little overall ami funny see lot personality funny real made laugh see would conflict hard keep professional temper go nice work maybe limited professional nevertheless thought cool customs also got dog later cat unexpected also clear artistic like work lot lot knowledge flexibility art sure never hard time finding work back calm laid back works well lot professional easy work obviously yogi rest group otherwise belong sure extent artistic see getting unless basically shop bitch good job shop far see show outside shop beautiful baby girl pleasant see episode yogi went japan see musically talented play guitar sure decided pursue tattooing music nevertheless yogi funny guy like joke around brass first thought going goof actually one professional shop wide variety really got lot unique way went divorce four one episode sure problem like nice guy annoying strange hard time baby married yet goes ugly girl two already strange know look right feel get enough camera time overall gave child birth much time nu needs grow really professional late work endless episode girl rear end obviously anything put show sure conduct business drunken state even screwed tattoo season five episode two may result father suicide sure least oh amazed many speeding got say despite produce really nice suggest watching ink looking getting tattoo kind sad show overall ink lot incorporated male audience cage fighting racing baseball golf fashion obviously male cast surprise anyway glad kat got spin la ink looking forward watching great season many great however biggest star season missing cover art easily one biggest survivor history one best ever play survivor fix cover art would make sense love survivor cook available public fantastic much like survivor fan enjoy season good lot different two survivor else said ending one made mad say blow ending survivor cook based controversial season memorable enjoyable tribal great season watch enjoy watching survivor review way hate starring play assume one thats host next person one season know could look th episode season see please take line great season glad watched good tribal recommend season want customer centric company deserve business survivor hanging release survivor given like redheaded stepchild cannot stream instant like distant northern time come produce new series cook great series always attention outstanding location combined well thought classic wheeling dealing worse least expect easily one best series great season far half way great season good array survivor filled deceit deception always people integrity win rarely bother every single time make purchase survey make use much every time every bought episode never worked money hence wound ing episode travel channel one best great way learn country may never let alone ever get travel still working season sure like one well great show bought whole series little budget fascinating serial pity version en never mind version well done got product great condition came faster said would watched yet still soon would buy company season little bit season intensity season progress less chaos opening cool brazil season closer though story good almost stripper wolf fired looking enjoyable watch least twice wish back next best thing season roller coaster ride falling favor really see starting let brazil get wear clothes start acting bit like vigilante something could end series later careful series computer unbeknownst yr old solve awesome son found show browsing good educational show although underlying educational value obvious purpose show entertain whiny insipid story said love daughter able defend educational value explaining learned area enclosure educational math limited basis good fun educational enforcement watch period time daughter witchcraft watching yogi always fun felt little slow got film recently took one yogi got play car way riot really set tone weekend first episode really see heart tony struggling horrible death father must see best group ever excellent interesting often funny even seldom case could without graphic human tragedy many close autopsy well one another enjoy usually lighter give break intensity help especially watching going bed love show video package great condition came plus local store stopped carrying season right decided buy happy able order add collection bought gift v series never bad buy many family love series confess second season lost interest however got season learned guess felt little better seen season season whole new experience enjoying interaction among show yes crime drama crime scene investigating much even like tony even want pop back head glad first two guest sleeper biding time land daytime television aka soap different format previous still wonderful product great condition really like affordable box miss episode show lot discover enjoy season well thoughtful clever show unique crime show procedural television today true draw show one another show actually watch see one character going say one another week rather actual crime case needs anything case crime week immaterial enjoyment affection dare say love one another family father mother uncle four neurotic funny cousin two huge show anything huge nice set lot extra reason bought lack present previous series flaw many cannot hard put hand series great getting little personal gaining self confidence love many interesting like b story continuous though season even series good buy hearing understanding good ordered various one get us even though shipped media mail well took twice long get us otherwise well think left house unfortunate season best insert major spoiler fortunate though since navy think mark mustache season enjoy series surprise enjoy watching convenience several army officer found annoying felt character change overall enjoyment watching reduced rating great cast great every episode entertaining interest good humor good mystery great show trouble getting season funny plotted obvious way context later worth seeing worth good currently watched every episode show awesome amazed popular season comes cardboard case three plastic disk piece crap always break totally worth really nice find old watch via instant easy library season series season actually turned much complicated first time series sought build ongoing would elevate soap opera level much season busy much plotting watching every episode sequence rather casually dropping entertainment even devoted attendance instead casual approach extended took far long develop got impatient split watch keep depend entertaining intriguing point keep watch first season run reason also abdicate picked squander marathon watched throughout season one hand definite somewhat better able sit watch sequence fairly close together fact season ended also disappointing thankfully season initially done mind two three episode want casually driven fanaticism desperation unfortunately series creator television guru p longer attached series mark many stood basically took show since hit survive without forced days much time according first mark abrasive canny team leader weatherly fan favorite whose love constantly reference throughout series team forensic examiner mallard wickedly wonderful super smart real life stepson timothy cote de pablo ex agent holly director jenny thing love series real deliver constant presentation never seen false move mark amaze actually met fox lot one time generous person screen truly great guy watch show intriguing consummate action pace almost frenetic beginning end tune episode going get kind investigative goodness show demand usual season season end third season quit terrorist attack went unheeded shalom run framed murdering high government employee point tony charge team get back though story satisfactorily cutting edge technology featured singled subject matter navy computer specialist thrive element driving crazy babble mike mentor series get background like first starting dead unburied nifty little mystery pace witch hunt series first episode team found left laughing hard thought going die episode alone priceless sandblast colonel present together case always fun watch two work later episode get finish work start hero decorated marine show know anything one red stop nothing needs take care people twisted sister conflict sister smoked together agent search serial killer know lot history good science comes forefront driven artificial intelligence heaven try figure murder done murder marine odds county sheriff suspicion spotlight blowback go undercover high tech black market ring murder turns intriguing tony undercover work lion share attention dead man walking tug becomes involved dying navy lieutenant episode almost predictable still watchable search yet another serial killer lot police late iceman straightforward mystery twist dead man coming back life long enough point direction murderer grace period special agent something recurring character terrorist chase cover story working new book fiction first book buy sports car well boy murderer following script arms one many season jenny digging spy father dark straightforward mystery got neat horse plot title one little convoluted angel death father past big way season season must buy show collect great place new show begin four belt lot history catch quickly really season even complexity one hand knowing hand glad season ongoing best television really good chance view yet good condition thank family big fan series excited purchase season four however tried watch system thought perhaps copy play actually set computer view get wrong still great series get laugh expense cast get grown sons even taken set home watch without poor punch however said done would purchase well much even watch show regularly would still enjoy much always like show episode one looking forward show watch much television watching w wife got hooked hooked fact like well better leaning toward better crime drama series ever watched ranked show surprise finished watching first three nothing praise casting snappy often funny dialogue best team chief ever crime drama nothing praise highest recommendation gift came time well series watch show regularly season comes labyrinth season main seem start different tony team leader longer season start coming together return exactly jenny mallard indifference puzzling tony serious relationship driving distraction suddenly come money lots evidently falling little person assistant jimmy palmer finding hot affair new jenny running investigation action upset complicated season undergo mostly pleasant mark back little though team enough allow relationship weatherly tony grow well known intrusiveness private cote de pablo fall ill fated nuclear inspector dead man walking tony slap face end season ever attempt give pow classic hurt show relationship early year around morgue wonderful made missing head holly intriguing season took character considered cheesecake season gave uneasy edge investigation la legitimate season went personal stake could cost apparent led cast good light much second half season season also good spotlight many recurring certainly key season investigator got attention doctor made settle joe usual c agent friend rival delight muse mike team leader first treat old fashioned type got done within wonder got lose steen grace period shame insidious slick frog fisher turn operative la also notable run always ongoing buried usual action identity season return leading two sorry end season life story season season becomes jenny investigation obsession whole office ominous turn series require viewer follow along closely end main find center puzzle season ordered great shape within couple days season package came still good condition well sorry review since birthday gift granddaughter whose birthday yet character individual interact well clown one annoying mind director tony lead team bully negative intrusive team enjoy show need give tony sister huge series bought set birthday really enjoy company watch beginning trying catch standpoint enjoy together mother every time network season framed murder course one person save naturally comes retirement help old friend last thing badge back although eventually director convince return face knew happen surprisingly everyone team happy see back speaking team brand new lee timid episode goes undercover always theme season last season season change death introduction new team member new director jenny season season growth season lot character development majority cast love well loss somehow drama beloved special going actually solve honest season several another aspect show cast social life overly flexed angle tired twisted repeated saw cast personal bought screen season bang ended way plot enjoyable best series problem season anti shocking finale setting season long great climax throw away wont go finale anti climatic apart one subplot gave away cheaply poorly apart excellent season cast favorite season two great story first one team hunt elusive miniature killer truly gripping climax second one introduction new story line great film noir feel delight crime fiction know world like big violence sometimes overwhelming enjoy like love show glad offer episode miss prob wish since could onto disc case something computer watch thanks recommend everyone season better sixth story given killer strung way season great like show going continue get better ending left cliff hanger negative much difference early late series still think interesting go fast like development life series made attached still overly gory opinion ever left days gory sit whole series seventh season strong story telling first season original kept miniature killer good nail biter kept high unlike slowly die first watching second season promptly bought first buy every season comes agree show still going strong th season sad season result strike fear last several two also degree love well tired darkness real police officer would turn indoor crime scene star like little light subject issue think set starting push limit price glad heavily best buy usually give pretty good price first week case list price family show us working school miss nights way rehash nights still highly entertaining buy best buy overprice know get better deal else never seen movie variety important life sad many wonderful make wife seen movie several version wonder always way show put together excellent work well good lot bad language likable minor math could get old sometimes romantic entertaining show season really good know much cinematic screenplay assume good tension brother also much better season closeness even relationship relationship special agent however feel loss larry throughout season terrible loss marked star good series nice suspense crime intellectual use possible season regular continue produce exciting engaging yield another interesting season may caliber previous provide entertaining peek interest development love highly good family show young would find boring sometimes violent thoughtful nice watch crime story minus terrible language interesting true part bad pun aside episode standard routine army background conflict watching character get fleshed wish would something else done one episode background even look back story rather something token black guy primary show given short end stick area hopefully show rest episode forgettable bad forgettable received timely fashion case great show even greater really enjoy series loving get anybody watching interesting realistic interesting exist reality perfectly great cast great story line happen enjoy extra math science information well drawn use math fun even though closer science fiction like series eventually focus much back story various become self referential hard grasp perhaps law order well fall trap least first neither numb thank sending want tell one disk place got little scratch check works fine want tell next time send check make sure secure case must admit certain amount bias profession although number pun intended practical incorrectness ie math board props season enjoyable say least established although unlikely normal leave believable sense realism thoroughly mathematically forensic enthusiast whenever look see clause first never fade keep mind friend mine watch show love plus little bit everything action romance entertaining small repetition love relationship dad good without excessive violence good good see able good series always difficult starting review know people like goes really like cool hot steamy ie family main decent people gory good story main thing like numb missing vital connection stay involved tend notice poorly directed show also wonder reliable technical stuff goggled smaller thing thought cool find pan worry watching enough emotional involvement care one main character wonder would change dynamics one thing drive bit crazy show like even use bathroom without help understand tool show vital guilt brother necessary like beginning case recommend show especially family believe well average still say great despite far fetched math genius mild humorous mystery drama primarily one love fact finally watch love family relationship interact together smart little brother older brother work well team solve math science love math tie understand think well done might become interested math numb third bought two numb season three found first disk defective bought copy friend found bad fist disk menu play either player would get preview twin sometimes first episode numb freeze end would jump first episode never past first episode giving black screen could watch whole disk computer menu going directly something player buyer beware accident twice show even defect disk series strongly give series five disk one fan produced thought final season bit disappointing first connoisseur sitar found beautiful performance nicely particularly stage daughter apparently also virtuoso tabla clearly elder performance level could left certain much learn know think best thing since creation interesting even exploration discovery based learning humor one get learn senator lawyer entomologist wizard season three whole season steep great show yr happy found prime several love dog one charge running appeal age pass mommy screen recently discovered laugh loud also quote learned win win happy discover older stream prime man love show hopefully get later prime well crossed fetch ruff air still remember much particularly premiere episode ruff across boston illustrate relative sun third grader year remember episode bought could view every bit good cartoon dog really needs said love show like watch saying lot given taste least according well get point ruff funny cartoon dog think taught art punch line much entertaining watch grown show really fun way learn stays engaged entire show yes minister season start several satire built around government centered high recently government official permanent staff whose job implement keeping institution yes minister typical humor dry wit outright funny follow props dialogue watched two little slow amusing expect get interesting develop fun show cynic realist sure one cynical guess fit well government double talk subterfuge deception work also overall lesson politics season timely even though old show recommend enjoy political humor watched yes minister ago disgusted modern comedy fare decided give yes minister another try glad funny hapless newly minister cleverly professional civil hilarious buffoonery subtlety high brow humor clean fun surely true downside program video audio quality best funny show brit politics worst fortunately upper class easier understand said always case classic quintessential sense humor series majesty enjoyable watch indeed despite slant show companion yes minister still best satire duplicity political behavior ever produced series would even true politics even today pretty much ago like minister upper hand following different different country represent culture fun unique show find educational good anyone looking travel covered worth watching stunning photography alone contrary nothing wrong disc certain fixed keep showing several one connect player run update utility wonderful entertaining movie way several ordinary working something ordinary person engrossing documentary look historic culture dedicate progress overshadow growing civilization may encounter rapid change buy video wish shown tourist type video mood country background future meet man dream becoming gondolier volunteer rescue worker follow member family new collection horse jockey participate second fever pitch young girl country first race car driver young sicilian man free diver become professional along way told state catholic church modern information country learn look people course voice wonderful love told go see better sense country people tick came going fascinating find scene bit upsetting actually say dangerous race mean mind could think really worth risk life horse race something obviously important make purchase get tourist tour library first bought knowing getting enjoy collection show ordinary people truly explore high show captivating long travel learning different people interesting wished box set rest japan wife watched show one night preparation trip china mix human interest along history beautiful documentary number human subject telling us story slice life individual bonding local culture history run parallel taken back forth character story progress main feature ray disk compressed seen ray picture little washed especially fast movement shown quality camera work exceptional part less stellar footage bad lighting color fringing also mixed watching first one immediately showing bad digital noticeable scene fortunately main feature suffer overall interesting work concept dry documentary lot warm human touch wish discovery atlas revealed would taken better advantage ray format still interesting great looking film interesting well put together would highly recommend geography like well documentation interesting excellent photography subject selection even though inch p picture quality absolutely outstanding blue ray connected via cable unlike able play without use play able automatically get anyway movie multiple people different background embark different video full beautiful great hi detail narration really video none people speak definitely would recommend anyone fan wife went ago happy see us never china story life good photography real life way life moving city country big best prepared skill education make grade short time receive disappointment view society motion us really worth watch though sort away little desire go thinking show recently sure buy series homework reading glad would one suggestion buy series instant video picture sound quality great show adult appreciate culture show especially reflection atomic energy reflection know old show picture quality grainy best aside fact available awesome along first ultra man space show giant robot friend fight boy fantasy wait boy watch great way enjoy rare first quality good talking show flying robot also know like robot one big fiction like ultra man space comet version see full color black white like picture displayed first episode dont expect good special see old show saw give really rescue one time ago good job sorry bad trying best bad good entertainment favorite spin control use matchbox spinning around obvious maybe child understand classic grew early remember show television still cool way step back time relive childhood complaint purchase must media type player view still today ago like watching old show language sex type show rather level today people curse word every sentence better worry watching bought computer love ingenuity men went great inspirational story survival continuity life good life healthy life expression quite believable say well done thanks original series great acting young later well known sometimes minimal set read many rant fellow nothing new recent release outer like bring attention one release back priced copy lately able locate one period without competition ever flow new lucky finite naming price got universe fairly recently many soon enough discovered thrill able go local mart best buy know yet whole favorite watch many times without scour flea old case outer know reissue care since three quite happy worthy video library play well sparklingly clear freeze menu cleverly designed outer case attractive inviting complaint reason award set five sound rather every single episode three select made fi channel difference pronounced especially background music whereas full orchestra effect faithfully copy hear higher really understand think would corrected problem first volume sound setting television theater enough perhaps next reissue yes number production staff made season even toward end first season always better show zone thriller terror genre culture wide worry season one get interesting episode take mad scientist theme besides least star trek guest star alumni performance outstanding classic series even obvious small made little coming used artistic resourcefulness make fascinating intriguing still hold today forgive outdated yet clever special effects wonder many worked show went academy award winning like demon glass hand cold warm heart soldier man never born best classic fi plus featured great martin sheen martin landau name like twilight zone like outer even surpass certain highly suggest revisit program envy anyone never seen one dial took three days really want outer good morals based series twilight zone irony based show ever give product four star rating subtract one star like many like flipper two sided indeed make prone sort damage one sided still easy enough handle without even moderately careful despite terrible given happy purchase read good bad always hesitant buy series love set volume volume together comprise entire first season outer always one favorite read bad picture grainy fact flipper especially stated flatly set attempt resell bad merchandise personally find bit irresponsible unless proof say single one know said froze otherwise hosed doubt true however liken many horrible people rave lotto could win millions people refuse fly hear think happen well used take seriously discovered despite fact bought several also given bad due faulty flawed product never happen would willing bet lot money none happen either purchase product read bad review jerk decide buy garbage someone else always play lottery news millions fact odds winning astronomical stand better chance hit lightning three times single year living lotto deter essence likely tossing money drain slowly grant still also plane people refuse fly read horrific plane crash get going happen odds happening far worse seriously injured car crash yet think twice driving fly take every day many major hear year two maybe three may sound silly mention two personal experience type thing believing people bad bought frustration factor dissatisfied something quite likely complain whereas like product far less likely tell people like unless believe odds greatly faulty product bought set understand posted product one two sincere one person experience yes also say really think vast majority defective may among also believe really decent chance winning lotto getting plane crash would bet farm neither ever happen know odds excellent wind posted truly concerned defective product would recommend new rather used many defective personally doubt would risk previous owner especially since find outer brand new low price shop around really wish get soapbox truly dozen go would find many quality yet single thing go wrong gospel truth outer package contain entire first season also hour long forget set major bargain may able get even less may pristine neither overly grainy look sound happy mine price say flipper would easily given set five outer fan good deal indeed peace update watched entire second volume single skip freeze great fun show ordered third volume entire series extremely affordable volume soon hope fully expect great value completely honest review honest volume well find anything amiss let know great way enjoy rare first quality good talking show flying robot also know like robot one big fiction like ultra man space comet version see full color black white like picture displayed first episode dont expect good special see old show saw give really rescue one time ago good job sorry bad trying best knew voyage space came know though always giant robot movie remember looking guide weekly one newspaper every year around summertime movie much always made older brother make giant robot clay hey even yet time never knew official name imagine surprise found movie actually amalgamation series bought poorly made merchandise unofficial bad quality whenever ran across store convention watch whole series whole story glorious color great quality arms left right straight forward shoot whole time making sound truly awesome stuff unbox would really like archival would love see cast crew grew early certainly remember raising wrist watch saying fly giant robot fly classic even complaint must type media player yes find much upon inside man probably seen coming much better development almost nine subjected grueling uncover identity lead nick police nine continue adore god hope another show oh yeah man thank goodness unbox way watch stand watching monitor direct great way view happy pay say lot series maybe driven definitely prosperity becomes available hope hope hope satisfying experience hope episode becomes available left many loose available via computer want physically back another actually watched would typical blair b movie action top gore effects screaming cheese actually straight like dramatic thriller synopsis used made think waking missing like vincent price scream scream maimed getting mentally maimed good movie check personal favorite hospital horror yet terminal choice always love watching buy one son going something keep road hope like watching gang especially like good moral character building full lot fun always good moral story sound transmit despite hardware locally three instead less watched whole show anyway since seen episode daughter never worry daughter watching always entertaining educational watched entire season car made road trip fantastic much year old daughter everyday school homework ritual like lesson would recommend movie good entertaining like way ended watched every movie ever one best television funny smart complete enjoyment watch many different bad live world like could regular course probably need like complaint season death penalty episode point murderer effective deterrent murderer course need careful reaching verdict see compelling reason spend millions taxpayer read keep alive watched pervious season bit disappointment still enjoyable use naked people funny first even got husband end like show agree maybe say opposed death penalty unfortunate lose credibility due statistics make sense example claim death penalty somewhere around per people non death penalty around per claim nationwide per rest nationwide must somewhere elementary school math get right even arrogantly pat back comment watch us work basic math obviously forte one wonder rest research another oversight solution cost somebody life feed food suggestion fact end put somebody death imprison life endless legal figure research oh well good poorly teller often abrasive good good good program good go work methodically give sides issue systematically destroy side disagree usually done lot sarcasm contempt try gratuitously hurt people trying take advantage people trying take advantage take episode synopses appear boy really take exception one big fan unfortunately hit home even p agree private organization right set membership problem comes unique federal charter get tax payer support habit private organization public funds need decide prostitution another episode agree principle even though want argue prostitution cause many usual interview people sides issue unusually fairly respectful several prostitution whether legal illegal legalization get rid many biggest argument though big brother business telling people two consenting like death penalty two vehemently opposed death penalty starting hack find opposed point view find made good point would agree one innocent person executed mistake many well reasoned well big one idea trusting government get right side vermin would lose sleep importantly would convinced beyond doubt mistake fake gist people go looking loch ness monster either extremely gullible ground zero one really make blood boil inept rebuild something site world trade center story corruption incompetence instead situation normal pet love lots people love people take really silly spending inordinate money crazy episode lot every group ever pony give free ride even episode movement three particular slavery last long ago many trace immigrant slavery people making one sometimes surprising form right run native examining queer money trail case different manners teller problem treating politely considerate episode instead rant would enforce nit picky conduct benefit nobody expense ostracism manners police come self righteous people use lie con lottery time share salesman axes grind forget truthful way used deceitful abstinence episode abstinence sex education needless say raise good leave one facet pregnancy abstinence success rate course kicker people fall wagon severe one else done teller done ruthlessly original series season even harder pin political label seem attack left energetically right guess label libertarian incursion individual liberty government highly suspicious boy essence teller think exclude refuse direct kind federal state support agree much uncomfortably close state action establishment religion prostitution according us always making illegal worse good segment felt soft viability prostitution saw pastel colored picture cannot say rosy serve political death penalty kill somebody run big risk later wrong well better technology proof today mean use death penalty according p irrelevant although funny ground zero wish would weighed preferred solution would lot thrown viable advanced pet love could finish one made sick however people happy guess better heroin hey justice justice right great argument statute manners well manners heart considerate p always exhibit trait would expect supportive mannerly society right lie figure abstinence remember even though p like abstinence sex education abstinence heart grow like season always entertaining thought provoking whether agree first amendment great duo rolling left season sharp hilarious idiocy disappointed like style like time take boy prostitution death penalty come series open mind go smile face series worn thin maybe even got channel rely help support fix previous season basically continuation previous although scope little include normally think rooted often fascinating insight life culture society p go blazing certainly learn show might discovered us grateful easier take challenge preconceived might one episode death penalty see point making e state someone would still see point maniac fortunately safely way digress p taking loch ness priceless episode although slightly one episode ground zero whilst agree shameful us yet rebuilt anything equally shameful said perished day clearly meant lots foreign day tch tch episode manners another interesting ride p made fun guy ranting taxis stopping anywhere smoking car road personal people cell phone personal space found actually agreeing guy manners issue ignorant inconsideration people issue however fury directed towards overbearing dictatorial etiquette spot much entertain amuse educate real instead usual way many f help debate use unfunny nudity bonus bit lame photo gallery p short montage previous episode clips bet behind show priceless pity get see great season complicated e g ground zero death penalty act tackling older abstinence stance surprising awesome watching dexter recommendation two flew highly entertaining series entertaining clever original show good writing great go much story people already done dexter cop lab really blood serial killer twist bad people via job working series dexter little emotion society human interesting sometimes comical result aside aspect show dexter struggle fit society completely disagree claim dexter view inside mind serial killer please dexter fiction since word series realistic fine far tell trying realistic want get inside mind killer looking fiction instead watch number true crime e watch excellent iceman available via good rental store truly great disservice fooling thinking fictitious story mind killer real serial really dexter common batman real world serial rather gist story tale rather question morality dexter good evil sure bloodthirsty serial killer brutally apart enjoyment people world better without criminal justice system get streets may emotionally detached hacking people around pretty decent guy good brother good good son good employee good father figure strict bizarre ethical code say us somewhat dark sense humor open mind comedy number humorous see could enjoy series without somewhat dark sense humor think entertaining series certainly worth watching deal little gore somewhat disturbing subject matter solid show every facet acting thing wanting dexter finished first season awesome cant wait see dexter universe dexter first season lot show dexter never watched spent basically entire day watching season immediately interested show cleverly done even though main character killer character funny endearing couple great reason gave instead would recommend anyone suspense first got hooked watching company mail also watch instantly got hooked series first season great better second normal season away bought copy dexter aunt said first episode funny gory gory dexter serial killer also blood spatter expert lot blood good bad dexter since watched first season mood certainly less whimsical eventually oh bad good c hall show supporting treat watch especially work single sentence thought possible frustration big enough one reduce review one star though closed able find way turn menu also set much way show treat enough must admit ex husband said purchase series first fan watching season intermingle well well written well directed bravo season great love dexter u watch show yet u love dexter take forever ship great series recommend look series roughly half cost streaming episode dexter one dark uncomfortable yet comfortable wait episode like short movie know somewhere along line turn cult classic oh eat pork watch show hate horror gore show plenty blood though direction never seem make heavy balance everything show really dark put big old grin face acting story imagery fantastic great show faint heart dexter morgan monster us much unfold twelve dark original ultimately disturbing bigger issue heart stellar series one uncomfortable reaction love show doubt way ignore dexter superbly c hall works department police department expert blood spatter crime dark secret quickly learn serial killer driven need kill explanation satisfy desire deep within feel kind emotion order fit keep secret hidden dexter learned fake human form order appear normal relationship emotionally single mother close least proximity relationship foster sister dexter people slipped justice system set laid foster father knew dexter dark side channel positive manner possible yet justify dexter heroic consider vigilante miss point compelling series clear dexter killing satisfy twisted never hero well aware secret revealed would end despite fact killing people deserve dexter always completely aware confusion confliction reserved show us like root trash foster sister dexter one point like every one us plot season one largely hunt serial killer know ice truck killer reason leaving dexter discover identity meanwhile dexter must struggle maintain rita well keeping secret hidden dark compelling stuff always entertaining may cause feel even guilty torn show horrible disturbing premise well unsettled reaction towards dexter hero monster say us help follow journey whatever end store surely one memorable series seen would one could fall serial killer anti hero die dexter complex character time freak great buy good addition collection best television thought could innovative hence instead unusual story line quite bit psychological interplay excellent entertaining recommend product although rather gruesome times la es el es de en lo hay la pat n al premise show bit really fun engaging show wonderful acting show awesome looking show great combination law order something bit gory truly one great television finished getting fully caught breaking bad decided start watching upon advice good friend thoroughly enjoying dark entertaining great season wa great season entertaining love dexter series course gotten bit drawn great start c hall fantastic hope dexter move feature dexter serial killer supposed like serial one help love really bad need pretty bloody times faint heart flash relationship stepfather policeman many us hide real politically socially acceptable mask yes subject matter bit macabre socially acceptable serial killing wait see next season dexter one best dramatic series ever seen c hall totally believable blend able monster stalking twisted prey night streets picturesque know find secretly cheering dexter given level violence roaming streets nation refreshing imagine put subsequently protecting reason gave four instead five went back series watch along commentary find additional commentary disappointing aside series great dexter interesting watch get outside looking monster live among unwitting prey along way see many psychosis neurosis away maybe dexter immediately seen story first season simplistic resemblance first novel series though read book watched show quite times would hard pick one cast amazing sequence everything need know series special set abysmal side slim pickings commentary get handful series know bought dexter watch dexter watch whatever else threw set sans guy like partially deaf thing worth set dexter shopping go looking getting series better material show alone good rate lower dexter one time best series happy get watch prior watching season one dexter already read darkly dexter book upon season one dexter based sequel dearly devoted dexter considered two best crime ever read really serial killer dexter morgan sister deb result knew inevitable going disappointed dexter series get wrong dexter excellent series good main plot line season one dexter ice truck killer serial killer cold blood whereas story works well page novel hour long numerous sub added work well becomes long episode happy end something feel book also dexter series different dexter book series dexter lot angel brooding creature wanting regain humanity book dexter lot fact monster lot result plus side c hall perfect dexter imagine anyone else role father read really series well made series well worth watching like recommend read weird show serial killer dexter realistic relatively good acting suspense actually find much less offensive usually serial killer first season theme opposite direction first season breaking bad breaking bad walt goes normal law abiding guy killing dexter goes unfeeling killer killer deserve die someone least emotion overall think first season interesting worth watching know make next four five usually show dexter much better shield totally unrealistic law order good wire recommend really wish would another realistic crime series really trill interesting show perspective also fact make little keep fun post breaking bad world horribly lonely afraid practically going watched entire library still felt empty trying new recommendation sister tried dexter despite always dexter enemy breaking bad kind attitude glad equal different creature entirely innocent man story slow steady evolution monster dexter monster slowly human impression gotten first anyway far like yes sex unnecessary yes sister annoying potty mouth cop thing writing character series went whatever rest cast good seen season let show yet hear finale absolutely yet confirm deny know far show season recommend anyone stomach moderate gore excessive sex language first season dexter attention little twist plot fresh unpredictable definitely wroth peek exactly like good recreation dexter want see next hall fine job combination creepy nice supporting cast variety story twist million times better twist course based forensic analyst dexter morgan solve day night well prefer dexter estimation monster due fondness strapping carefully selected wrap drawing blood slide collection grisly fashion power hard cheer least tiny bit serial killer degenerate guilty city known degeneration twisted killer vigilante superhero midnight justice may find depraved c hall dare say bearish decent kind everyman killer dark knight boring wardrobe self esteem problem impossible supporting cast seedy tropical spot dexter continue ply trade subsequent interesting watch kudos inventive title sequence like ever clever premise serial killer spotted early age seasoned police officer child adoption officer child opportunity carefully ingrain kill like serial slip system remain free dexter one best blood spatter police station extraordinarily interesting dexter inner get learn empathy understanding normal people feel society people behave fascinating acting dead writing crisp taught issue series foul gutter mouth dexter sister extreme like face really good television many people rave dexter decided watch season one say already hooked wait get next dexter morgan serial killer work police blood splatter expert dexter dark side comes bit creepy still sister also work homicide division quirky fun show see dexter father adopted son urge kill nothing rid desire rather change dexter nature father normal society channel murderous betterment mankind dexter harm innocent dexter becomes one man judge jury proof guilt c hall absolutely fantastic dexter facial tell dexter inner mind could dexter fit normal evade along every day dexter even perfect match also broken abusive marriage relationship physical companionship continue dexter character despite criminal cat mouse game elusive ice truck murderer know everything dexter two seem like one except dexter control dexter well written total different take usual police crime series good guy really bad guy still good guy done remarkable job keeping twist usual story alive ice truck killer story present every episode part dexter journey past urge kill totally creepy yet fascinating wait watch season two dexter great series said c hall superb writing good could know acting several alumni series know excellent acting capable show big flaw becomes flat generic cop story dialogue becomes wooden fortunately hall character dexter raise must see level get wrong entertaining show definitely grab compare like six absolutely ridiculous though idea dexter full potential much time much forget forced voice good set though see lots transfer say spend home disappointed get dexter two brotherhood one time screw around feature bad considering people lining door fork long ago relative show glad since subscribe aware series recently thankfully took care little problem dexter vigilante hero dark side justice criminal justice system find put behind hall great actor balancing killer one hand lovable professional expert various show comedy drama tension everything guess one would label dark comedy type series dark show interesting fun watch see life truly original series hooked quickly interesting highly original show seen real life situation look inside person dark side even dexter accomplice excellent acting great finale gave left needing rest story great series made better c hall eponymous anti hero without series might lesser actor may delicate tightrope murderous magnanimous masterful balance series well written cleverly title sequence truly reliable make show highly especially love bit c hall start liking keep watching better individual season season season season season season season season season final season hopefully good would star review could get closed feature work depend anyone else notice sex original set wonder main character seriously deranged compelling know say like watched first episode rather want see second see turn collected several though like better show well worth although may people enjoy lot mind getting head serial killer suggest give watch rest series soon dexter first first season one interesting bizarre sick twisted amazing seen long time character development dexter interesting see serial killer serial start actual whole life adopted father taught show leaves feeling something time sometimes pure entertainment often left gut reaction repulsion sorrow always wanting thing would say watching multiple back back need going bed otherwise may completely wait season two dexter great series first thanks gift card however video player still needs work watching times wish better besides kindle taking space series show completely writing strong acting excellent direction fabulous c hall brilliant deserved golden globe finally someone smart serial run see series strong almost every possible way could bring save love series serial killer really setting story darkly entertaining three reason seven must say dexter one best crime drama media today full dexter actually feeling serial killer tend support dexter guilty people done horrible deserve alive also forensic blood spatter information given show quite unlike rate dexter close prison break related emotion like crime drama best ever get series watching first time around novel funny obviously possessing dark central theme second time around originally seeing forgot except major found narrative rambling repetitive throughout every episode definitely annoying police work near realistic bad show great watch kindle computer finished fantastic show today gladly report yes beyond good definitely serial first one think serial killer sympathetic light many problem though point one dexter go like course remind serial killer point show understand human bit bizarre streak us weird know dexter perfect fact delusional yet perfectly functional part related depiction dexter someone heart unable feel show normal man would feel extreme joy pain dexter never extreme anyone thoroughly self absorbed world remember one thing though dexter sort modern day robin hood people die people bad obviously relative always people done horrible towards end find morbidly agreeing dexter choice victim supporting cast also excellent particular mention made actress dexter sister lend much personality fact lead role perfectly cast refreshing see role post six talented actor could actually shine however lot blood lot gore much dark brooding show shy away morbid macabre fact almost red blood brought life detail one manic cannot easily forgotten scene dexter walking room blood six almost faints seeing affecting many claim season finale best episode felt sort let yes dexter real brother face towards end much face emotionally could still show unfortunately cannot totally break free territory glowing though believe people say best show ever made think people get carried away yes great time tell classic right best thing quite horrible get ahead think get also invest terrific season one available quite eclectic remarkable right like murder horror dark stuff dexter thing dexter great show decided give try hooked first season must order season dexter interesting guy really like idea behind show package perfect condition clear stay case clue show around buddy talking season coming set added mainly cover box set friend even knowing heading decided wait got ordered soon got access less week following night got back tent first episode got attention right away ice truck dexter interesting c hall dexter also brilliantly acting dead believable dont even see character rita also really great angel also really good saying bad dont seem believable cant stand sister morgan carpenter like forever head rose think everything like much saint say f word way much doesnt even need said like really nice girl trying cuss cool dont know eric king acting also way top forensic investigator doesnt like boy like character lot king guy always like wanting bust laughing really mean insane also sound perfect sometimes scene hockey arena tell dexter coming ice seem room somewhere else annoying know wrote lot bad stuff hurt rating want give dexter c hall show rated question sadly dont wait come hopefully dexter last quite awhile least quality though another great one good like riches one last thing spoiler end right ticker tape parade saying laughing pretty good last dexter great show fresh witty good pace show watch leave thinking next day however show need like great person watch television series yes good series buy like though check local movie rental joint move next season awesome refreshingly diabolical love development ice truck killer best seen way go excellent think would good turned radio figured would give shot plot got little thin though highly recommend people like smartly written show dark sense humor season two based first season another review seeing season two everyone violence gore definitely part show give time start understand really grow like every season get better better watching dexter past week compelling show vigilante cop care bad way show nip tuck way business also incredible hulk split said freshness show see anywhere else compelling interesting show main character end feeling yet double life amazing sister incredible job well blood lab work sighting human must watch show know shipping get dexter season one said would got lost mail sent night happy seller clean like new like show dexter confusion emotion since none always observing sometimes wondering people feel like relate sometime wonder behavior fellow honest find weekly pursuit justice love show little graphic stop watching suspense mystery wonderful husband bed dark debating making dexter evening watching new episode wait season two come six days fan c hall high dexter disappointed excellent original well executed series could better include suppose complain price little creepy first series supposedly define right wrong family got hooked order series friend opportunity view yet expect like based c hall six coming serious six reason took stab dexter took couple warm character soon found serial killer works anyway writing pretty good setting post vice visually interesting backdrop although little much times dexter interest devouring fast far itch solid cable series show major well written particularly well dexter still entertaining definitely god already one episode show taking step back watching dexter way capable getting evidence garbage disposal plot predictably unpredictable put enjoy dexter best television series companion improvement negative chose force four episode per consequently video horrible compression noise macro blocking one ever matter presentation dexter marvel series wife item would help lose done beautiful baby girl tried store wife get right product research came across product put order received product tight enough another dollar wasted one item add several well idea came mind since item preset buy additional tape sized apply belt worked like charm quality glue share review show already really add anything said show review product season one set bonus disc four first brotherhood real life blood splatter documentary rest set main pretty cut dry episode audio setup unfortunately find anywhere turn hard hear one sided selected dexter facing set good strong due lack show top notch emotional connection main life death believable plot suspenseful writing make series guess biggest complaint dexter nasty enough premise phenomenal dexter blood spatter expert investigating day night channeling kill helpful way actually hero know know anyone bad seriously people dexter mostly brutal serial knock dexter world favor problem meticulous dark side really never naughty wink real ethical dilemma viewer dexter get wrong show blast nonetheless super saturated colors sly witty narration show top notch entertaining c hall perfect dexter performance exactly tour de force evil like silence example lovely inventive performance nuance role guy fake smiling know joke amused along dexter ability fool society liking true dark side dexter inability love help look normal good poor girl previous abusive marriage dexter return really colors together ethical quandary wish dexter also thing really like show showing dexter raised work understanding foster father cop part well probably best role long time character actor ever small part great strength great love concern dexter always hear anything protect character ultimate example also opening show awesome creepy clever show perfect would prefer little still hugely entertaining well lead well relatively low budget like cup tea think like lot basic premise turns even bother watching addicted dexter acting superior filled wonderful black humor time chilling season two better yet watch television series upon release wait season three dexter everyone trust looking bold brilliant entertainment one great reprise righteous lean toward position within police department investigation dexter heady aroma show know premise serial killer also police forensic pathologist dexter morgan grew adopted son honest cop type dexter sympathetic paterfamilias revealed end season dexter killer compulsion peculiar fixation unable control impulse dexter father used evil though sworn uphold law harry morgan law perfect imperfect humanity run adult forced make beloved adopted father dexter beaten system first choir leader exclusive private school victim choir leader murderous lust unlike dexter scene people running gag dexter double life genuine duality professional specialty blood spatter analysis outgrowth peculiar fixation blood serial killer fashion dexter blood detective locate first hard see c hall dexter something version fisher seeing work however hall soon character suitably distinct fisher see even pay cable imagine tony soprano giving bing waste management trucks everything people personally make sure keep dexter suitably reprehensible serial rape repeat drunk immigrant suitably repugnant white keeping dexter becoming sympathetic instead making dexter compelling easy dexter dexter try excuse justify much get us understand artistry avoid whole moral equivalence question entirely even pointing awareness peculiar something wrong way dexter mixture compulsion also piety bad guy goes bad soon sense mix quite even first episode dexter threat self perhaps life serial killer outwit entire police department dexter soon ice truck killer leaves trail dismembered across caught making look like chopped life sized blood dexter horror ice truck grisly artistry blood underpinning dexter dark existence met pollock dexter digs new killer soon clear ice truck begun digging back dexter secret well dexter admiration killer begin wonder far ice truck go dexter fascination fascinating plot idea luckily enough keep series going unfortunately series going surrounding dexter largely one note develop little beyond first impression vindictive sergeant dexter time first well wonder dexter special affinity serial capable going outside book anybody else process angel sympathetic detective soon sad sack history marital coming captain patterned round cast without fleshing population mystery little mystery story serial fashion soon dexter find giving us much head start realize thin mystery got said dexter enough character carry series raising rather intriguing question serial instead chloroform great show gory thought would thankfully good feel need kill everyone like information concerning actual plenty excellent show love bought disappointed find bonus match sleeve sleeve killer special academy blood killer blood true murder brotherhood free episodic first two dexter dark new audio cast much aside fact bonus really bought trying sell interest like brotherhood actually disc much less fact full list blood true murder least menu feel appropriate last bullet point sleeve would much less come dig put something juicy season two lame attempt first season dexter basically serial killer serial child dexter adoptive father harry dexter pretty much already desire kill harry cop however decided train dexter least channel direction would hopefully protect innocent protect dexter taught dexter blend cover target confirmed show dexter adult working blood spatter viewer given access inner occasional scene frequently understanding people needs conceal true nature everyone around important dexter many ways match actual might like also enough humanity care select people one unrealistic also compelling show due aside pass normal sake also pass normal protect people lot simultaneously humorous tense one main conflict show dexter fascinating funny dark highly recommend love writing story interesting many turns humor woven blood splatter expert working police serial killer bad people example born without conscience taught dad fit show appropriate mean love absolutely want wake operating table anesthesia great together get hooked series watch episode hey dexter series hint c feel opinion much better story line throughout season difference dexter crime series dexter murderer people bad series said also bigger main role season well set always show major jaw dropping arrive season midway end series put collection read series well made usually like time actually think better fascinating ride mind serial killer disturbing never interesting good story good acting good program serial killer capture attention still watching going turn rather dark series prime time beautifully opening sequence sheer visual artistry best show good usually think show good book done well exactly book read watch show totally unique plot entertaining dark humor style another cop show would recommend mature twisted sense humor glad engrossed watching episode another cannot imagine waiting week week patience least normal people say harry way way way c hall deliver compelling disturbingly performance highly entertaining inventive series writing sharp dexter knife tight three dimensional series underestimate audience rarity field nowadays unfortunately live world ask existence violence everywhere look watching dexter sort delicious escapism bad treat highly grisly nature appeal everyone blood series bad know missing first season see definitely keep watching see develop interesting show forensic blood specialist secret c hall brilliant dexter morgan conscience killer code writing clear sharp supporting cast perfect really interested watching dexter told would probably like gave try hooked first two season one much enjoyable thought would watch rest suspense stop watching trying figure dexter next move hope get caught exciting reading either fan show want know see appeal c hall six dexter vigilante serial killer day dexter works splatter analyst police department blood help determine exactly crime true anti hero focus series serial killer almost conscience dealing justice evil father police officer code help direct distinguish good evil improve quality mixed found image quality anything good transfer high definition quality standard good although digital compression crop occasionally one complaint simple chapter indexing see specific episode sure skip next button kind unusual day age new second minor pointed menu basic design like could done amateur also reset audio disc watch automatically sure many minor contribute enjoyment show handled well special improvement previous series far perfect get two excellent drama brotherhood also get blood true murder investigation good splatter analysis murder dexter dexter living show also break number also get commentary track yet well link watch two new series file first two new dexter novel suspect academy blood killer course along dexter novel excerpt buried portion disc able watch access regular player plain sloppy package also get two commentary set good show could used commentary involvement star c hall least one also special really need clearly whether accessible accessible might find disc minor plot dexter father police officer early son tried give moral function world importantly use hunt prey dexter normal also fit difficulty fake way also father tried shape something better goes toe toe ice truck murderer track nasty serial killer glimpse soul also unlike evil choose act end plot overall dexter terrific show second season also gotten bold start first season used novel darkly dexter starting point second season chosen depart make interesting move solid set could future series date evaluation long time done purchase hardly wait next edition done season finish dexter built intriguing premise man antisocial personality disorder murderous code kill kind twisted play concept sublimation series initially appeal overall stuck first season c hall titular character forensic expert blood splatter works alongside group assigned brutal one dexter adopted sister morgan carpenter dexter adopted child cop deceased harry morgan dexter antisocial instead dexter go path juvenile delinquency inevitably murder harry code kill certain harry also dexter make seem normal dating help hide true nature go undetected feature dexter stalking serial killer season long plot dexter fascination ice truck killer series excellent writing direction make somewhat unbelievable premise feel realistic acting also top notch hall nice job making dexter charming believe fit work also bit edge lack true emotion superficial charm violent sense evil surface kept check adherence code solid portrayal extreme case antisocial personality disorder series afraid make protagonist dark somewhat frightening supporting cast also terrific c lee scoring dexter lascivious worker walking sexual harassment case likewise king lighten mood person know dexter good guy also enjoy work two dexter complicated lieutenant detective angel perhaps dexter friend although show first season insecurity highly grating actress twitchy affected performance dexter days harry become extremely repetitive unrealistic awhile first difficult watch dexter came across quite brutal ready give series character human subsequent finally last two season ice truck killer case overly melodramatic lead rather unsatisfying ending although series trepidation found flawed enough like season plan watching season great show funny stuff next season seen second season watching like kindle people talk match movement would like real forest another top acting performance ruin another good season one favorite flip side annoying character make happy good season hope keep around next season enough already solid show compelling first couple still strong show sad see end series shield far best cop show fact probably one best period seen show really missing good good program personally get turned constantly hearing god name vain spoken often stop watching lot choice could used like main word action got intense first watched shield would rated rate watching entire series music music get better age still good show seem great series come u k although short taking long u story production combine provide thoroughly enjoyable experience story development engrossing enjoying every episode series interesting full action coming back like human ordinary people season turn introduction forest prior departure captain find dirt determined best know whether character acting side story like introduction series sure believe many think introduction may subplot often way make series excellent natural part disappointed finally finish whole series watch shield get outset know team bunch dirty really care hurt bad modern day robin hood offended graphic language program still wondering ever got air end series truly wish please aware stock available shipment season people like think however nothing setup final season season originally supposed onto season making one long season season last however felt season long broken another season still great season lot offer watched eleven within season v extensive behind footage episode complaint season play player fact player one must unplug even eject disc try secondary player drive hope better technical sin never occur great great great show argument disc always irritate tar know anyone would want watch crooked series really hooked season wondering going get blown away end shocking complaint credulity could continue get away everyone everyone else light history could give would give option quite star show see wire still phenomenal show unjustly later greater past season received multiple forest certainly taken home trophy typically brilliant work anyway seen show really give try start season though watched month help let occasionally top first season scare away truly excellent series season good par previous partially long synopsis season forest brought check strike team goes get turn rest team main story basically team trying keep jail also also pregnant become captain new trainee dutch relationship strained due secret keeping dutch series caught sporadically first run writing always edgy good actor complexity mixed street cop caught money alluring street intense loyalty team added introduction solid acting close series skilled acting far one best season shield wait summer next season feud great season season watched catch team would tell anyone never watched series get episode one ride shield came wake number us series era hill street blues worked one gave far different edge well worth watching second never ran full series six series made exciting brutal good character development unnecessary sex attention wondering would end great way describe way first part season five shield hallmark truly terrific series first episode like first episode season one form basis entire fifth season detective original sin keep know comes back haunt entire strike team fifth season past incident tryst taut make entire season tense ugly comes end forest commanding presence internal lieutenant seemingly member rat squad hero piece course come love much actually fail another impressive accomplishment series hero actually less evil villain merciless pursuit along eager deal truth attitude bargain season four tragedy lot someone like familiar shield entire run immensely satisfying painful season brought past firm eye toward uncertain future killer undercover sting strike team reduced animalistic rage making crucial mistake wife like said forest presence late season still props possibly l since start beginning fiendishly anxious get season five considered one well written exciting however almost painful watch perfect example evil done man still seen buy probably stick around season another good series maybe quite good series shield walk thin ice make side farewell miss season got really interesting time got season five lot going twist every turn watched whole series one best ever saw really interest wait watch episode hell need us rate want watch gotten first watch season without watched nay mean previous said season theme conscience destruction every action heal going give synopsis show cause remiss watch watch whole show many catch enjoying series almost gritty times necessary understand world men live work shield season back season suspense build making want watch next week see team going get near impossible situation also definite plot show forward early season affair early wife involved law enforcement enjoying type television show led watch program times admit shield love show think one best show get crazy get coat smoking said favorite season loose key player forest cop serious taking strike team favorite actor maybe ever present spit mouth could always put finger really hard watch show saw bonus set best season disagree strike team best together working streets know gearing end show season one quite carry punch still love watch whatever give us wish would left amazing cast format alone incredible season show better better every year however please idea us continually p recommend going full aspect ratio previous said betrayal season seem slow bit season well said prediction either kill see unless way rat needs protect family time possibly said terry brother season five episode nine lying god soul give plus would perfectly appropriate ending show nonetheless nothing unpredictable really know thats theory good would like great job explaining step step may look like wiring electricity easy long careful comes woodworking master style subjective happen like wood works great show still running network unfortunately running odd seem glad see season seven available need one six episode good information good edge multiple hand episode also interesting good horse stable shop set work card flat goose neck woodworker get know watching wood works sorry let clean cut look fool met actually earth amazingly talented guy great show really great price find highly recommend first season box set good episode vapid unnecessarily difficult window revealing big world new york city worst society exposed brought justice competent thorough crime scene riveting somewhere someone said jordan peele key scene included part three best season definitely cute senior residence hurricane mother neighbor still searching routine like trust weir girl social video camera friend dude throughout expense winning modern election strongly nature office either personally wealthy adept soliciting campaign funds deftly sell wealthy table fear opposition wealthy seek support stage tend favor rich people via public offer capability matching financial power rich show popularity clean major show educational quite watchable combined media corporate oligopoly control de justice department balloting reform perhaps instant runoff voting encourage minority hope power people country mindless thinking watched time quirky dialogue life chose share series icy cool candy series spelling first book favorite put life love season one best find anywhere decent price much even brand new used anyway season glad finally fan arc since first saw back take interest watched episode year later wish enjoy one new educated see hidden wade hope another channel series friend mine arc one night one episode hooked watched entire st season one night fell love ran straight ordered season disappointed grew comfortable chance sexy eccentric funny course drama plenty eye candy lots entire season great ending ticked knew would season somebody give venue make season need arc rest story way top people world like true bless deal enter like see show develop anyone listening season ordered season play ray player watch player love season series entertaining usually engaging emotionally bring life nicely show strong emotional sincerity humor ethnic diversity goes well beyond merely gay black men every man show attractive attractive unconventional ways thankfully show indeed sexy toned explode queer folk cove much heat comparison note pleasure see many different gorgeous gay men color one show queer folk failure regard every plot show really trey guy plot example went far long quickly went top trey delightful guy nice couple deserved better plot one chance also mixed bag great character development end season really effects likability character either agree really see show much like sex city far superior every possible way say better would like golden queer folk l word soul food really like love second season arc whether sympathize identify great fun follow love work times sympathetic character going spoil anything seen ended feeling sympathy supporting like malik baby gat times nevertheless show watchable leaves thinking long watched second season arc comedy drama excitement first even hilarious turns season seeing wade bar realizing much chagrin wade even though involved relationship still love wade come course season chance husband working strengthening marriage learning better finally try make work finally jealousy take trey hanging much season trust relationship infidelity living partner times tried squeeze every gay issue possibly could short season eight times bit rushed still say one favorite hilarious dialogue sex city dynamic show sex city soul food going say also queer folk l word would highly recommend arc fun weekend mood glad see fleshed second season story line production really music guest refreshing wish show hour long often would want time watch show enough first v show black gay men lead personally season one two love whole show movie collection show wait next season comes get well would set anyone saw program first broadcast commune episode intense episode shame program fear want catch glimpse ghost fascinated idea voluntarily insane scary chunk money show similar however one disappointing factor participant perform task get sent home lose desired prize force another one perform task goes un done away psychologically thrilling effect fear oh well still worth watching nothing else see favorite c list pee historically accurate version watch least historically accurate knew spot always count old excellent acting classic blur watched version first time last week completely got act left completely cold dissatisfaction colored rest experience end decided one version best version hamlet ever put celluloid one aspect performance hamlet went looking search better hamlet plummer even one stood head version stole show full movie thank oh thank honestly say best hamlet ever seen even full production quite rise level version bad particular though actress version completely everyone else stage recommend version version director best overall version play ever version best performance hamlet ever put film good episode ripping series like better escape episode repeat joke well premise better dim bulb taste excitement well python realness sweetness laugh hysterical tone real dramatic feel underlying silliness good stuff like lost treasure wonderful fun see younger actor play well production still looking little still great great fun watching airplane difficult rate well said production opposed produced like film shot somewhat style film rather stage production meaning clear close would find film without look whole stage give impression acting comes across somewhat tinny artificial faithful rendering play enjoyable watch good movie class happy age movie currently student teaching teaching first time review different movie play show version reading play act act version play decided script fairly closely better many watched however theatrics version well done movie version also lot longer time length would recommend version looking audible version play drama theater aspect play used film teaching sophomore classes seem like reading big shocker right like preview movie every year let watch point certain look make play read movie differently similarly change best well convincing one funny tell watch listen near beginning play entourage making way see race right around part speak crowd first time hear crowd cheering yelling loudly one person well person obviously cast random extra rather terrible yet funny extra crowd member yeah loud drawn sarcastic almost pirate voice easily distinguishable rest sound listen hear great price product design acting exactly would expect version play produced time great representation standard stage performance piece great overview research familiarize grad student bit confused previous articulate wonderful production always firmly spirited intent version tempest diffidently worth rental fee well time spent enjoying even notably experience season one see review decided try season making sure product actually short much better experience sound quality quality good unlike season set currently offering set original unedited original quality content original unedited commercial unbox player problematic leaves much desired functionality generous fight deliver media player well media player said except even latest update wont play content summary original unedited good quality decent price drawback like deal unbox stretch content worth note content available free however video quality low surprisingly stuffed even annoying original loss quality really worth recording hand per individual episode per set worth price fan tragedy love twisted love deceit treachery many times many thus real task reviewer decide whether presentation bard intention production overall couple quarter reading role make something frantic hysterical lover husband make hard believe given characterization would chosen lead military defense great case necessarily prudent prudent anything else matter although easy see come bad end hard see tragic reading important role bob hard see even jealousy susceptible could take faith little much modern gangster genre read cunning much guile mainly window dressing although hard see would however always full presentation savor language worth price admission overall good production text true script nice job however characterization dreary making difficult appreciate love note sound ongoing order get dialogue miller series stride cast earl equity association already contract would perform series got role would go strike pretty much put end miller cast role race anyway question black available certainly understand willing well known film actor actual like would hard hire resist miller otherwise competent intelligent producer seriously believe racial difference play sole subject race mix play merely soap opera gullible idiot anything anyone play final effect critic back much ado much stress handkerchief luckily miller meaning bob save bacon terrific acting clinic obviously controversial choice actor throughout career often laziness afford luxury bring game apart snigger bit unique almost poetry understanding passion however handicapped race play character black man highly society sure still surrounded white basic fact much play progression finally key character need feel pressure general leading army taking white bride occupy island problem stand enough kind like everyone else viewer may big deal imagination enough play racial charge brought seeing difference heck even make toast boss honor without black course comment typical intelligence like remind everyone look like rest one throughout course work bob totally got whole concept role usually tend speak knowing serpentine manner might well twisting rather satanic cool see working mind much manner textual character actually yet confused knavery plain face never seen till used corrective acting advice snake like beyond mirthful impish lager cockney man man someone probably fun around long something short refreshing revelation see fellow fool everyone mind definitive performance role fifth star withheld white make much sense matter well poetry spoken also rest cast stand particularly sex appeal plain jane racial tension play needs huge presence phenomenal virtuoso player personal synthesis many many ear player trouble training hand comes skimming lots well challenge student learn learned listen pick something demos explore wring juice learned daddy swing guitar rhythm knee taking drawing heavily rhythm style listening keyboard thus hybrid lot simulate keyboard working establish mid various popular genre music available era beyond believe mind set student sure would use word student viewer musician came play come back next burst brother could play could see rhythm times nearly mind set lead full often fast jazzy anyone wanting learn work listen watch would almost essential know guitar perhaps little technical help chord screen really fun great musical certainly inspired dig pause rewind button become well worth money reason entertainment value close taking lesson crossroads devil blues pointing musical five inspiring stuff minus one lack detailed instruction give four five nothing written streaming version anywhere except screen chord thought helpful everyone fishing something us find right go figure wise right way fish one road top video great recommend far fishing show goes never watched one trying simply sell product waste money advertisement huge number spinnaker instructional one yachting helpful cup sailor tactician conner good water model help visualize spinnaker handling various ways one affect spinnaker sail shape meet windy light video old clothes guessing video shot sometime late cutting edge still worth watch like video booklet help learn found additional material like along fast remember new skill need practice moving wish would first booklet play back pace overall think helpful really well done program coaching truly basic program demonstrate shoot ball pass number useful also nice progression complexity example section juggling introduce juggling steadily complexity boring keep attention passing shooting v covered noted beginning discuss mechanics discuss spacing looking goalkeeping look elsewhere topic covered provide discussion basic understanding viewer personally view great source someone maybe little coaching experience looking come new nice video glad bought video really helpful provided wish known gale force great times least much prepared new sailing recommend make sure brush technical sailing advance show yes prime minister worth watch dialogue snappy quick political wrestling witty although may vague majority easy enough understand watch couple give chance get used dialogue hooked series much close second going vacation effectively third season show although different escape river cottage first return river cottage season season certainly bad thing follow around farm birth dinner plate love watching unwind us simpler domestic history middle class everything love good documentary extremely watchable one something new home late eighteenth century modern renovation revisit premise another home would first line watch interesting sometimes touching trace history house life rounded rating since star option bit little would detail everyday living like chamber imagine smelled house south park lover really might speaking people watch south park like point view funny got say would say considered probably south park season done many classic couple thing disappointed commentary trey parker stone instead throughout length episode beginning point talk first five episode check leaving nothing normal audio found lazy unprofessional unimaginative many could even make either common knowledge obvious got gift brother definitely show enjoy season like go god god cartman freeze let face know general formula lots social satire shocking stuff usually bowels rectum way maybe couple really cheesy pop south park episode like south park previous like one think south park lousy show go watch another cartoon season going change mind season two chef yeah think definitely dead episode old audio clips previous ridiculous funny time course warcraft episode got lot willing help blizzard entertainment one notable dud cup little ways satire oh yes need watch couple season family guy watch season otherwise two make sense enjoy pretty good season south park unfortunately like last one real commentary die hard south park fan live without season probably going buy anyways sure similar last found th season series rather disappointing perhaps come expect lot series set rather high sense something quality series season opener quite funny dealing death chef ending teaser would fun see chef next engaging really care much character story funny great character pretty flat speak smug alert like point dragged little long minor sub plot main story fun watch cartman greed selfishness comic situation insane watch seeing bloated cartman end result greed selfishness joy first incorrigible cartman nanny reality match unlikely learn something cartman wonder cartman grown little next story make impact miss teacher boy basically hear hot teacher banging student heck school go god go two parter great trip back old fi series twist end great season ender cup bummer guess reason underdog always end predictably mess story dynamics giving three star maybe harsh think better reflection rating stood test time classic go god go two parter episode show sometimes funny sometimes gross sometimes humor way board watch south park husband still like humor still trey parker stone ever crossed path would bow brought us south park risen bar probably fun hilarious season since th one beloved trash talking kyle cartman defeat mighty foe world warcraft foil plot sexy teacher affair student pursue case tribute dog bounty encounter talking sea meet hardly whose raging allow solve break dog whisperer witness end good friend chef yes twisted lot humor body religion sex future secret club politics someone going talk might well pretty good thing south park still lot heart morals use loosely advancement animation much always know arcane fire mage smug alert future going like please check season little much social political satire still strong ever make instead absurdly funny clever absurd go way say look look shocking return chef smug alert million little cup still season believe episode time maybe best thing ever seen television make love warcraft episode well done animation yes excellent animation story writing cannot praise enough plus music one favorite ever excellent two cartman goes future garrison scholar guy hilarious cartoon family guy animated miss teacher boy female teacher boy student love affair controversy level outweight perfect give matter much love world warcraft episode cover box target edition awesome see fat pimply tilting box see world warcraft disc return chef controversial episode got back leaving tackled issue hearing old chef audio clips notice something drastically chef return adventure mysterious club smug alert people start hybrid find threatening planet another kind beginning episode acting high mighty hybrid great thought going another excellent episode point forest ranger going went downhill episode tried little hard make statement cartoon part fear family guy episode showing image holy war nation head sand literally cartman goes mission cancel family guy kyle stop cartoon part television special cartman something shocking family guy admit show lot sense retaliation going right direction ended going way passion unfortunate stupid instead funny million little snatch er snag episode way top watchable disc al gore super serial new threat planet man save earth vicious wait species cartman control son failing several nanny reality resort dog trainer one better season make love warcraft best thing seen period brilliant interesting one times cartman good leader jerk everyone except course mystery urinal deuce unwelcomed sight boy room somehow unlocking conspiracy get meet hardly seem hardly ever hard part episode hounding finding cake urinal miss teacher boy teacher elementary affair student young student meanwhile cartman real hallway monitor job certain television bounty assistant beth big hilarious disc hell earth satan party like super sweet snotty rich get meanwhile keep smalls back earth ho hum episode three take ted bundy make sense bundy would never plus would want kill would killing young dark skinned men go god go garrison teaching class evolution handsome atheist scholar hired teach class meanwhile cartman wait release frozen defrost took longer came garrison evolution class laughing hard go god go cartman stuck future religion therefore war yeah right like say science instead god cartman past hilarious finally encounter awful self course learn anything cup get bike impound peewee hockey team player dying cancer episode hard heavy guess goal er point season good still alright one favorite satan throwing big sweet sixteen party like spoiled rich also kyle cartman deal death friend chef stop try get family guy episode defeat world warcraft stop sexual hot teacher nice happen south park complete th season like episode funny always south park combine two awesome one better season south park part series gotten better go season two best south park worth purchase episode cartman bounty dog hall monitor articulate funny trust classic great one one trying get rid character video game hard got fatter fatter process sure fan show know watch free wanting season show good choice couple one fantastic hilarious season whole favorite enjoy kind humor even appealing animated uncensored pretty sick funny hit comedy works go wrong drawn together though stuff plain funny fan previous two pretty happy see comedy central final season sure going make available uncensored glory act sometimes works show rather sometimes hear view body part actually see hear even still pretty darn good final still entertaining show like glad complete also lot great set yet time fully explore sure please whenever people try stretch animation envelope find interesting show really adult sexuality people surely find offensive bought curiosity rather adult subject matter lame writing unfunny bad drawing occasional turn bad show really enjoy drawn together fun reality taking television right drawn together great reason gave four season missing something like example every season every episode numberous confession one camera room event episode season little confession great would definitely recommand season drawn together uncensored third final season comedy central ultra animated show drawn together supply disappointing second season show big accomplishment season take part animated gross insanity season captain hero starting fraternity compete newly family next door ask well learning special son superhero sister yes read right taking part spelling bees spanky getting involved crazy spider voiced episode accidentally kill gross visual come nowhere definitely funny captain hero discovery fetish car hysterical also number funny notably episode stalked terminator killer funny goes nowhere fast together though final season drawn together still deliver goods go high note show least happy three drawn together would say season favorite less funny brought end season season overly long overly long last long funny funny second finally much third season couple ling ling breakfast food killer probably best episode series although penultimate episode web somewhat let captain hero ling spoof final episode better clip show season musical entertaining focus spoof simply annoying overall show exactly pretty much good amusing low brow entertainment looking intelligent social commentary meaningful plot easily offended look elsewhere want common denominator toilet humor every stereotype imaginable struck gold series third season search anything would find offensive joke think final season made may run new ways try disgust viewer every episode gave show would greatly point message humor rather shock none less every minute would buy great buy previous suggest starting beginning lost overall great package could watch tommy lee stare road map face listen voice forever see watched yet generally like historical period movie set mid throat let go prairie doctor opening door wilderness cabin find huge wolf standing dining room table good omen two blazing seat living every minute feverish perilous journey rescue daughter bent getting young across border sell slavery prostitution head slaver malevolent extremely psychic witch well connected wrong side spirit world killing brutally entertainment wearing jacket depiction character excellent command black combined psychotic killer made worthy adversary needless say core conflict comes wizened gave white man ways live life good culture mysticism bravery cost movie well done intense fascinating violent magical give unusual edge story line probably done many times beautiful music scenery gifted tommy cate fresh crackling edge seen type genre film movie days intriguing watched episode atheist goes live family practice learned lot movie would recommend anyone reality spiritual basis first movie atheist felt getting lot defend fellow u many atheist went church thought sermon head gave telling everybody goal convert everyone throughout movie would little dad family would try tell everyone atheism believing control life another interesting point would go book club would ask opinion god always found funny interested thought hopeless atheist know completely wrong overall learned lot knew got learn lot atheism never learned thing would like watch series understand religion use series japan disappointed see season come even though package none season wonder useful feature included time around days complete second season good people wanting learn covered two set may useful classroom however think people would knew people carefully screened selected episode much morgan picked anybody random real life tough breakdown six two set immigration meet man whose family came legally took member minute men patrol border united catch return people trying enter country illegally wow guy control temper hook family mostly illegal man must work day laborer share cramped living space family forfeit identity days heat pretty quickly two sides reach consensus issue meet guy lost job computer programmer person live family days must apply work call center feel good work must live must understand culture learn along way rather surprising want spoil suffice say easy despite fact atheist know according meet atheist lady goes live religious family days family convert change ways thought episode rather bland everyone grace maturity bright side people episode class new age salesman line work ex wife watch controversial new age days learn new age actually ancient many ago unfortunately jealous female life coach may able complete days get comfortable plot watch find pro life pro choice hot hot issue quite whopper episode people watch team transport vehemently pro choice woman live group home expectant given birth nowhere go naturally pro choice woman lot answer getting ready leave one trying times probably difficult watch one powerful verbal public provocative say least jail morgan jail days morgan must live jail special days must serve solitary confinement work kitchen must shower nothing skimpy curtain cover shower stall given really thin mattress told find cell course share two three men see jail people good worse learn lot jail potential treatment drug two set comes optional running commentary two immigration jail overall great two set want become better educated also great tool use part class instruction rather well done suffer tough beat people know could easily change behavior addition carefully screened people environment much could real life therefore give four watched series wing spent lot time watching brother really series different feal like people like brother spout nonsense verse strictly structured set need following narrow minded lot different lot different one found interesting country pilot fight suite order represent country remember correctly winning country rule next set could wrong kind like mixed pride country bad job main character fighting japan love life rain lot political drama people hurt system series wait get instant video season six show opinion great first five still stellar season many returned show stay final season married martin c also step mother raven lot fantastic sandman hilarious episode tap dancing class cliff trying tap dance decide tap dancing challenge romantic another great episode cliff martin compete see romantic husband family even though season great release season six still exactly like previous four bonus material like previous four still episode list season six episode saga new husband stepdaughter surf one cliff college washing kitchen floor strange way apartment crowd get drunk drinking game navy wife respond letter navy confirm martin want housing naval base gift dyslexia learning disability academic nelson shall dance one crush day landed cliff men become pregnant cliff wet adventure martin ex wife thanksgiving dinner meanwhile send cliff store last minute nu nu visit martin come visit cliff la cliff charge town getting know cliff start getting know better dinner two female college dinner reminisce becomes upset cliff nightmare cliff dream singles counselor trouble trying help get date birthday party fourth birthday everybody blues walk wild side money buy sandman forced take tap dancing school project romantic cliff martin secretly compete determine romantic husband family try find best gift twenty five dirty laundry cliff discover burned work family cabin resort cliff doctor friend see wretched sneak town attend concert encounter huge along way afterwards must face wrath cliff next door neighbor divorce lovely friend live learn become teacher without finishing college storyteller cliff year old aunt comes visit family season six another great season release watched old still watch today better stuff must addition collection one best received set week time used set well received excellent condition like new seller excellent quality well would highly recommend seller unlike previous however bit suspicious season rate heavily unexplained seemingly non flowing suddenly without previous lead found odd give star review actual humour acting season would certainly merit comedy however priceless fresh funny first great quality overall lot suspected episode guess something explain another thing make easier viewer go episode episode different distribution urban works entertainment format killing always select episode press remote play oh gosh convenient way go nevertheless great show wonderful timeless classic item came time frame supposed good condition enjoy showing show enjoy much try see much know trivia also issue fact play button select episode one time help watching van young work remote would highly recommend anyone new show old veteran like enjoy getting watch show st time loving every minute laugh ask different airing may show season continued show one television history sixth season show starred bill cliff c martin warner knight raven season continued focus doctor cliff attorney wife raising five new york married mother weird trip married naval officer martin year old stepdaughter small raven greedy year old apartment yet constantly house rebellious year old old turns later season longer baby family season six dealt alcohol sneaking taking relationship next level single mother martin away time teacher adjust first boy trouble little importance family time recurring include anna cliff sharp whip peter peter costa neighbor friend aka bud loud chauvinistic friend season two summer marking series five year streak number one show season three summer season four summer season five summer season six summer marking series five year streak number one show first look show season show season review season show season show full time guest sandman b b king first look decided put bonus set three four set comes three slim one disc five six season six look bland design show reddish color disc disc disc nice red play season six theme song jazzy fast paced theme identical three four play play individually season list disc saga surf crowd navy wife shall dance day landed thanksgiving disc nu la douce getting know singles counselor birthday party everybody walk disc mister sandman romantic dirty see wretched learn recommend literally anyone little relate relate young relate martin course relate cliff husband waiting series become available anyone ever vineyard napa anyone wine anyone wine country enjoy like reality attempt running vineyard fraught multitude come comic relief absolutely watching entire season nice cabernet course neurosurgeon fellow younger neurosurgeon perfect good mark respectively show interesting way house interesting one last watched turned news late happening mostly intelligent witty two ruined apparently everyone else first season first worst female neurologist nothing sex appeal sleazy sex appeal real turn thing insult intelligence anyone likely watch show hokey dream illustrate nature neurological problem good idea good show good potential two especially good somebody ruined wish relaunch two lead without made cringe channel think also dead show brilliant show might brilliant like gray week took people watching inside mind patient never fear fair share honest never saw show broadcast working show free wi fi city working caught show saw decided test drive every episode never forget one person nation dissatisfied work people put power rest history overall good program detail medical corrupt german judicial system coverage accountability people responsible program cover much would know coverage would meant would certainly would recommend program curious people want get general idea major think purpose series good job good presentation information aware terrible time human history learned lot informative sad hear watch much cruelty going hard believe something like people would recommend history people love sad tragic story good information know learn well written account concentration camp making overly went people made idea work beginning effort rid world continue war interest subject find better series frightening dreadful fellow man systematic indifferent way interesting insightful engaging series would like see similar nature altogether heartbreaking totally worth watching pretty sobering experience hard imagine many people world fully aware happening believe many gutless people back although seen combination documentary terror life never forget horror poor innocent people fairly straight foreword account led mass process much loose haphazard normally people like many enthusiastically robbing ultimately murdering millions whose crime another group hardly anyone era comes looking good resist temptation feel superior evil happen factual point mixture archival film part nice mixture go look forward think good school age hope watch explain rational wrong amazing interesting ways without forgetting painful revealing innovative ways great use photography historical interesting series combination live gave good idea experience must full movie footage collected time included people worst humanity best humanity times great depiction built concentration camp idea place send unwanted place experiment ultimately place kill large people efficiently dispose realize progression continue documentary portrayal death machine allies quest publicize never repeated easy follow psychological main understanding respectful honest gory well produced depth treatment without maudlin subject matter gratuitously multiple allow proceeding pace interest truly said learn past repeat well done documentary advised watching disturbing say least interesting documentary regarding infamous camp know camp used anything containment murder people inferior well worth time watch series probably watch point difficult absorbing watch learned much mankind enemy many affected death recommend anyone correctly informed many truly amazed listening learning lot teach school heart eye opening human condition history buff series well done documentary one concentration upsetting see nonchalant killing people several meeting although realistic seem talk informative well done five enough material much content public television simply much repetition material said well done material never seen need material history sometimes scary overwhelming second time watched said never documentary aspect series well done provided actual film footage people people thin broken inhumane treatment see coldness men charge couple well cruel spent much time thinking new ways killing mass people also much discussion novel ways dispose gas people time people sides people innocent people race religion good documentary left feeling sad humanity world could happen difficult must turn away evil ancient gone beneath surface modern culture forget extremely well done excellent production content well done must see anyone interested true third movie informative history world many people believe like topic good history came watch something need know child visit see history need remember eye opening lot found several know done help good documentary commentary actual notion smart people educated people cannot commit deadly going reality whether smart indeed murder people mainly based hatred person people whim simply disagree according nationality race gender nothing smart part nation educated enslavement fact life even today seen enslave people due economic hardship greed could corporation today commit heinous party used slave labor cheap labor knowingly admittedly participate cruelty concentration answer course look around see easy participate well done series infamous death camp many six leave viewer people cruel human series easy watch even harder view realizing responsible horror unpunished also leaves viewer wondering allies act destroy rail would recommend especially since many seen hard watch important watch version merchant pure theater get plain skilled cast episode series complete dramatic works original script program un play warren universally moneylender superb comeuppance scene gemma portia equally fine throughout see bard master language always one scene particular agonizingly long must choose gold silver lead casket trying find one portia likeness first portia soliloquy story lutist chorus joining near song end finally pick casket scene speech time finished talking whatever suspense annoyance ending portion play toe cramp headache relieved spoiler rant ahead unique punishment portia disguised young doctor part repulsive religious persecution perhaps day thought villain undoing clever proper fact indeed rat seeking pound flesh revenge enemy yet knocking forcing kiss wear crucifix inapt prior outrageous proverbial two make right may come time nonetheless true issue aside particular mounting please fan theater parenthetical number preceding title viewer poll rating merchant gemma alan warren verse plot handled well tough film got fine amusing mystery actor actor well culture premise interesting well murder youth home also grand mansion regard definitive screen version miss seen version three times occasion prefer version done series well done include lot fine acting version many original material whole bit top certainly watching inspired visit version glad three feeling series got right miss since would great aunt partial rutherford portrayal actress good stuff different threat bad nevertheless still fun wish jack could emerge recognition respect country part overall plot line recognition respect still fan great action one safe true style guest season particularly booth always great writing still need finish season like anything better really put finger season hold attention well absolute best finished maybe season keep much watched right watching completely riveting suspenseful season stuff love jack still always keep watching got change stuff though kim bring back mean like full suspension action creativity high quality movie recommend anyone action shipment real fast gift cannot rate quality price decent season previous much better exciting see jack bower thing always found ways keep edge seat never dull moment happen lot edge chair excitement sometimes stretch imagination accept fun entertainment anyway people way harsh yes agree season match season season however still good easy honesty matching excellent season probably next impossible let cut break still going buy box set comes one person rightly pointed lot trash still excellent compelling storytelling gut feeling season may previous take look trailer currently run may see talking season season yes agree season good good people season stop received recent returned one copy via us mail yet receive refund please check much saw originally would recommend anyone fan listen saying still great entertaining acting production plot still unparalleled feel criticism could jack going nature past also feel measure growth maturation still page turning good want sit watch whole darn thing one sitting aging still great show enjoy concept acting well done beginning wonder much longer premise go good season many consider pinnacle series solid entry nonetheless good story line good acting good thing wait whole week catching next episode working nights originally never got watch would hard wait week seeing next episode series love show outstanding action issue prime use smart directly without steaming available know issue issue also stream chrome figure yet able originally day excellent thriller adventure show fan rate performance used yet timely manner good condition really enjoy constant program definitely full shock value continually enemy may sometimes fast forward graphic torture enjoy one best item list almost forgot found great price even promise date series filled adventure plot become annoying jack somehow immortal power well worth watching wait new series may know worth year wait jack back prison face death given terrorist attempt stop domestic terror show pretty good range acting goes withdrawn man would really like die awaken usual task save day course intense somewhat riveting best disappointing either yes plenty bad lots usual flesh enjoy season like likely well time likely already seen program sure bit formulaic season jack face odds season exciting get wily bond jack complicated past rationalize enjoy past season somewhat avid admit show quite lot actually stopped watching may hold interest season better certainly hope like season comes th per weekly start watch beginning often forgot watch hard really get able watch every episode beginning order without interruption watching maybe best still jack suspense drama jack awhile like lost touch tortured long eventually got groove back said writing last couple atrocious husband maybe decided let high school give writing shot also one power ever listen jack line morris morris always right well jack line one per usual never worry jack always fine next episode fun game season josh real father jack mike decide never go anywhere like obvious question maybe bill adopt product would better disk avoid constant otherwise starting get little repetitive still enjoy watching show enjoy action one action suspense throughout series great show great series hard believe television series like motion picture box office success great script fabulous ordered instant video mistake intended purchase video library show hey good jack cannot imagine never watched show television know great series look forward new season starting may acting season seat thank prime opportunity watch free brilliant awesome amazing really great concept series drawback flare dramatics little tiring still remains best exciting show watch going plenty watched many series date really prime excellent season four five season six let bit end season six able regain thing like plot writer good job president palmer picture early end could hate jack another great story jack watched back back prime ulling back season one favorite put little spin previous burst scene five ago talk town warfare nuclear biological could done tastefully men female fast moving pace many intelligent like realistic story line still glad latest little secret one long enough hand less half one thing certain fact people sometimes starkly different fine change anyone else mind overall merely going point season two review led conclusion even fair make sure discuss cover blunt pure consequence ridden one day saga well cleverly written political conflict ethical dilemma fantastic action going want respond hearing tossing three address season season distinction goes season three convoluted first half memorable second first season recycle woman jack protection essential someone white house make tragic human sacrifice jack going undercover bad guy laying wait save leader appear well season six first season split two story latter problem borne former simply first make second objective significantly shorter six long found refreshing new direction anyone ran script obviously paying close enough attention second story line halfway first also direction believable idea first story line long possible season character four best height risen depth character admirable hero every viewer decide primarily remarkable skill ingenuity notable endurance determination matter bad get jack bad indeed even faced worst life throw two softening captivity absence several torturous experience jack still matter many times knock keep getting sometimes like person really take jack game jack scene early distraught nearly realize must endure one day set moment end fourth hour first questionable becomes apparent occur want make point jack part show commitment character displayed another highlight season new presence vice president excellently liken modern day powerful man whose pride whose questionable also man ultimately land service command throughout day often opposition certain people come sympathize remain logical patriotism remains prevalent sense compassion respect stand revealed creation one show entertaining best highly talented peter similarly cabinet member also questionable becomes endearing guy throughout good country works alongside likable moral along way complement jack season rick mike experienced tough guy admirable determination given depth handling ethical dilemma limited camaraderie respect toward jack addition nicely handled new season left like bill along morris brief also works well return someone become nice like figure jack last least season welcome light jack family finally reveal past wound law enforcement first place writing among creative season scene jack partner trick terrorist auto accident moment first time cunning everyone taking unexpected hostage found especially clever fury written episode certain rescue eye political content full usual conflicting ethical even case conspiracy well written clear grounds noted character development show known funny rare humor notable one favorite ever area comes season observe jack angry driver tricking someone quite fitting role also nice joke two sting operation action notable scene season regard final showdown jack team probably action scene since jack took finale season two possible exception also notable led team embassy jack neighborhood hero fifth episode inside romance get meet apparent first woman jack ever tied family ever since raising son jack brother likable bond jack reveal little hero past also nice fact bill grown significantly closer since last saw morris relationship enjoyable well season shine character well one today yesterday specifically brother sister duo great sherry sigh enjoyable character three five like never really meant role given though one begin realize throughout hence focus far interesting politician also character palmer really seem place overall neither two measure set noble strong bold mischievous sometimes noble sherry villain also one least memorable though presence partner writing minor president practically terrorist setting low point though much absurd previous season finale jack certain someone set free shortly afterward situation friend early also dull lagging action minor getting someone embassy jack simply turns toward door got several side obvious outcome getting senseless walking obvious danger right also finding hard believe stage physically minimal effort course better action follow romance triangle really seem significant another note us wished screen time season probably worth however decision use simply traditional move story part series general always used long sent away reason cast constantly though opinion fantastic work put forth cast crew great show everything series present still done enjoyable effect fascinating characterization engaging political intrigue well done action complex drama many still able give jack impossible odds overcome without similar past know going going familiar format episode leaving cliff hanger someone close jack show good mind killing jack never know going next leave show realistic cast every season two go looking forward good season say lot went season could happening really end josh shot jack damn clearly saw chip say anything everyone kept saying angry josh head clear enough shoot clear enough know tell jack chip whole purpose whole situation happening first place even finished watching last show yet alone hell finish writing get done watching genius figure happen next stay tuned later somehow feel relieved season ended believe dead seen body therefore still think component highly doubt man like going lie take end without least giving fight giving season ended yet leave star rating overall rest season ended killing abu everything else sunk remainder show losing faith one series put watching long want get hold forever quite good gave start good watch second time watched season first encounter beginning season way back believe season second time opinion better season fact last two watched first time feel better later like watched almost fast moving adventure video audio quality fine audio beginning enough problem past two phone conference enjoying latest jack like bond worthy respect episode solid gripping entire season joey thoroughly season six yes agree good season good still much better currently network television looking forward season seven read upcoming season going new direction hopefully regain quality writing made great show fast moving action never always something happening would recommend anyone like action love every season season exception way every season new seamlessly easy transition edge seat catching addicted upset show exciting action thrill ride one star occasional convenient plotting obviously designed keep action going tension high however kind plotting sometimes otherwise intelligent act unintelligent ways enjoyment show one star worth item error prime member first error suppose due possibly screen transition wish selection buttons colored differently screen perhaps rent purchase buttons viewer left prime instant button right see many similar watch two love however one favorite wish kill character always season last minute reason star think person writing information general non descript ever seen love show every season watching develop still cannot figure coming always lot people say season horrible fan must say season season unexpected especially first four think seen past jack terrorist throat spoiler alert seen someone getting shoulder forced help even seen one case cut someone arm device season faithful fan series surround sound system worth purchase faithful fan want days entertainment recommend box set season however glad buy exclusive special disk disk pretty much fluff little box set main episode great glad bought know everyone worse season yet hell well strait true question show edge nuke la great hit made everyone drop said show get jack emotional wrack doubting living tortured time say mental perfect show us bad guy show end shure next season giving show even get one basket much clean slate jack still man knowing bring bad guy last six season day went many took many hell going show hit hard could struck many previous days hope see new fresh cooler harder jack maybe see go someone terrorist mission gos show gone bottom line true fan show give chance get set collection catching come every getting previous watch one fan cant see show needs jump start every know needs try offer legacy one season six bad considering show please dont judge season show edgy drama still strong mater see hard punch next season major turn last belive hopefully next season every time begin another season like home gave instead much series simply unbelievable exciting heart pounding stress reduced cause know jack alive end ask fan least favorite season least favorite safe answer want keep opinion mine season six perfect right away starting first episode adrenaline rush time high literally broken jack shift back action captive almost two incredible innovative look character rarely seen ready willing die first episode kicking wearing explosive vest speeding train next pitch perfect every scene bad writing love hate decision bring jack immediate family action serious suspension disbelief world small likewise palmer new president mixed bag get slightly sister plot help meet palmer family quota day finally last minute love triangle forming milo character season one kudos literally eat nothing else several seemingly previous life repetition expect innovative many anything next two everyone guilty thankfully season jack man rise ashes much continue fighting also bring satisfying conclusion journey four five great guest great action great great individual loose rush still bought friend one favorite series watch casually get caught wait next scene see season season still favorite character change season us president effective one jack stomach stand torture brutality goes season like series though seem get enough gave rating many good season watch viewer interested knowing jack may return scene crime speak watch beginning forgot great exciting show reality could become reality many right wing scary interesting president palmer president interesting see woman president bring us president seem good mindlessly entertaining time good men come aid country jack finished watching season yesterday watched course days true marathon honestly say season immensely segment complete character degeneration part jack finished saving whole world single taking men phone call least favorite character jack tony fact jack know goes length serve country breaking foreign anyone without hesitation knowledge pertaining national security essentially send country war giving piece nuke exchange life one woman really really heck seriously felt personally admiration jack would never think would disservice country remainder season left bad taste mouth way jack extremely character additionally basic really confused pertaining jack getting information jack proceed try exit main door forget many embassy consulate security side training go window season absolutely delightful morris relationship tension tender two absolutely endearing morris provided much light comedy times refreshing growth watching grow position head made learned time also quite enjoyable love triangle milo jack chemistry two tension tenderness shown really added especially jack really jack ended together saying lot really dont go mushy stuff often additionally seriously josh revealed jack son phenomenal addition show tough strong character dont understand however even saving though logical character one would seemingly face support jack custody exchange piece nuclear technology woman absolutely absurd ended throughout season conclusion season potential beginning something really really good definitely disappointed however due fact many took place may wholly character illogical especially part jack whole well executed action new character fun new character dynamics make season enjoyable intense better acting unbearable music season five view best season series bound certain degree expectation following season though good previous season still head every show however many stand couple seem little silly one sequence particular concerning full potential would say better first three less good last two added cast milo last seen season third command kind replacement also house go peter president chief staff season five carried namely morris bigger role palmer script times simply flawless dialogue rich bank balance could weigh wrestler needs seen shock ending day overall story arc beginning day end era looking forward next one program season full action chose excellent love many happening hard perceive happening hour period entertaining would recommend people enjoy type film watched one season thoroughly movie even though take time eat bathroom break th season watched show every minute day continued watch much got little boring predictable still good show give season four rated relative normal comparison everything else simply stated even weak season like season still better crap days even worse better modern best many become simple one trick pony non stop sex joke one substance except cheap laugh wonder watch modern outside court crime exist primarily past like silk start writing review season watched every single season start finish fox many since watched however since fox brilliant thrilling announcement back show felt need revisit previous days jack knew jack end season watch led fateful final scene cannot describe visual season jack plan front bill jaw droppingly unbelievable see hero saved world state numerous times come plan broken shell man th day many turns loyal come expect however must say writing plot definitely much previous plot involved white house incredibly redundant character development thoroughly enjoy addition morris fact brought back milo season really detest jack family made center season really revolve around bill series season initially like either said bill character really end season continued season definitely feel making palmer b woodside president thoughtless move flat seem plausible production writing popularity show put completely plausible onto screen wrapped around nail action drama choosing palmer president little discredit fact overlook conclude gave feel plot spotty best however never character like jack never jack hero one always save day even though perpetually every single time never say die attitude faith prevail matter insanely difficult crisis may throughout boldness bravery quest right true jack deeply man perpetually past always continue hold personally responsible brilliant entire series see foundation pure anguish pain searing bubbling surface remind us matter heroic unstoppable jack still man intense drama great government law enforcement even educational jack comic book superhero extreme punishment like energizer bunny going always full action intrigue personal stretch later extend story line accommodate episode requirement good previous still amazing turns lots action product service great little disappointed previously first five received season six series identical th series thought returned say best customer service available immediately return shipping agreed send new series right away however one returned felt bad still know season five maybe wait season seven explanation thank solid fare many plot reason five somewhat top nuclear explosion reality missing leaving inevitable panic solid base great show interesting enough turns keep one chose edge yes plot sometimes get feeling seen still riveting entertainment last night watched six would watched get early morning nothing even comes close two prison jack returned order c u get location man jack nothing help save day throughout day jack terrorist peace attack president palmer vice president bomb another country jack must find suitcase stop dad brother help nephew whole lot one better one really like first later day start like really like vice president toward end day like love jack love day six really fast moving exciting acting great watch working treadmill time good excellent job usual end disappointed jack climb helicopter throw cheng think credible republic would leave entire defense department loss one circuit board season solid good thriller adventure thing like left hanging episode bit manipulative disingenuous one episode play episode otherwise fine excellent season excellent series con would story drag times show attention one episode next episode cliff hanger violent also jack almost super man anything end season sad message leaves one hope felt image probably strengthen stereo type bad religion concept episode real time show interesting six actually seen twice except season six season six view pace rate four star based upon comparison said think overly harsh still entertainment television series fact still much energy series like sixth tribute creative j series think interesting little far fetched think jack save world several times hour period great entertainment must start saying never watched prior seeing season said unlike purely season even never seen prior still agree faithful season season main villain finished plot show much probably next three four boring dumb almost made completely loose interest show thankfully able recover season ended strong still well show said still looking forward next season plot season well interesting entertaining pretty awesome action hope better next season please give chance make come back much fan recommand season usual good one lot fun watching becoming familiar prior still interesting left tackle next season interesting fun series edge episode always cliff hanger ending good know one person save world always season always buy season go vacation watch simply cannot wait one week next see going happen however season opinion good could nevertheless still fantastic looking forward next season vacation jack good show often many times jack sacrifice shortage action series lots turns seem get hacked lot hope basis reality second time watching series caught story today ago enjoying easy forgot entire season one day life jack exciting wife would watch got excited watched one episode cliff hanger episode hooked wait next episode miss show first enjoy series must suspend medical knowledge human body jack tortured heart beaten burnt next second able chase helicopter yes reality probably true life reality accept jack type hero seem implausible said absolutely love show jack major world often nothing heartache government distance let face jack modern day figure although much season family let fantastic actor check queen prince see could gotten clone superb actor honestly think would chemistry cast way actor terrorist turned peace partner jack must protect government wish impede western peace process cheng back tortured jack two china jack cheng working someone quite close may led us nuclear war russia china lots great shoot breath taking well immortal vice president set making us next get past family relationship resemble days group trying save free world still great season jack great see may become next jack one replace jack number one freedom fighter movie based first rabbit angstrom novel reading also although lived go see adult movie rabbit angstrom character many high school prepare success life life trap thing run away comer latest refuge failing marriage pregnant alcoholic wife job father law abide hope new beginning short time rabbit back wife birth child story bit soap opera today world good chance see familiar period classic story adult trying grow movie originally received tepid likely seen shocking back problem days leaves cinema history free appreciate many often striking streets rabbit town come across vividly especially one effect rabbit leave town battered music car moving car intersection music car viewer experience hallucinatory car ride another high point many crisp appear movie virtually unchanged downside love sex scene hopelessly plot around bit due time space great movie air quality clarity enough make darn good one portion sister sure make pay much short clip sister entertaining knowledgeable art historian us unique perspective insight works art smaller lesser known recommend anyone learn behind important works art interesting light romp kirk hayward enjoy classic definitely worth watching two dramatic great surprise compliment story originally written bogart could get better hayward shine fun old watch yell still goose truly primeval roar man warning triumphant sound one great classic watch family movie great need add love old good looking acquire whole set one really funny see crocodile got best flick like lot air bad get prime life figure first great show bizarre entertaining although preferred cold war type story particularly season would like know season volume going hopefully lifetime listening us th century fox voyage bottom sea three season seen better remember watching seven old evening lunch time would discuss happen exciting back probably due fact fi stuff new look realize collect nostalgia bad series something brag watch closely see special effect see people holding props good series collect however good star trek great remember junior high school middle school major crush captain crane anxiously await volume start third season also working second season lost space season time tunnel man many head spread around later seen yet wait season four said recent convention known course show would take never would sign dotted line duration worth getting alone second episode deadly guest starring great vincent price plot similar many voyage crew taken nuclear reactor combination vincent hysterical nelson crane make one absolute pleasure interesting ponder great voyage would continued combination fi bond type seen second best season vague watching child death weird music lighting better watching later one point aware would actually try get watch today world special effects would considered cheesy best monster week theme tiresome really glad bought brought back wonderful frankly acting two main wonderful utmost imbue real emotion first half season really good side note special effects jaded year still stop look whenever watching kitchen despite old show contrast today network stuff show healthy vibrant color used flying sub terrific main healthy palpable interest say go waiting long time wait volume notice different previous bad triple disc case volume bit trouble great digitally clear season volume coming know pretty top ridiculous though straight talented episode henry promising crew find transported back age interesting well done henry time accidental shift time surfaced went ashore new york find prehistoric similar crew old twilight zone episode plight could finding rift forever getting way could good story well despite give flying sub always cool regular cast always top notch please check ventilation system oh vincent price episode doll crew doll double creator alien prof multiple yes silly hey knew going know complicated world still fun little fi outrageous appeal want take trip back time mean pompous clever room air take popularity way seriously voyage vol rest nice escape besides old admiral crane sharky sparks bull little house prairie doc maybe stowaway next week every body else one time another goes laughable serious give voyage vol baker go business usual first half final season voyage pretty much would expect seeing season unnatural vengeful one reviewer said admiral nelson puppet episode deadly hysterical stole whole show even vincent price something unheard whole recapture excitement first two show caught cycle repeated however welcome addition die hard show season vol para castellano mi al la v lumen de de series de ni ni en las si lo se es la crisis la ha con en el franc en el en fin castellano si el la el color el en de n solo la de la de al mar v lumen se n con en hasta v lumen lo en con n en voyage bottom sea fan heck change course season three voyage bottom sea dramatically tone show gone clever cold war nuclear danger secrete gone nelson institute location different like admiral nelson focus dead plant men wax men name rock roll like never miracle never gone riley comes season two best always bu season three general good reputation show guilty pleasure show season four thing went downhill drastically major dislike voyage bottom sea release double sided half season rather whole season tend make higher time whole four greatly extended season change story espionage science fiction fantasy type continue eliminate plausible scientific like lost space good science fiction show hooky fantasy show without presence character like smith even without still included late along lost space land best time tunnel wish would get whole collection could update collection series best color voyage found season four talking man many terror man beast death clock two pesky last series fitting close secret deep previous unfortunately many included season four volume hopefully fox release last volume us old remember operate player color comprise set beautifully never seen quality series old little light fine think yet another cut pilot fun interesting one two custom color find sealed time die wonder inclusion fox seen fit include next week show voyage one minor quibble done opening theme last crime someone elementary audio announcer saying brought could done lot skillfully say least also noticeable change audio quality opening theme first audio take short shrift quality control process fox thankfully rest audio brilliant write fox let know want entire set inquire season four volume hey buy came flying sub carrying case entire bus driver one day long trip movie trivia starship jean huh knew old well weekly ask undersea television series based great movie name voyage bottom sea get letter answer first anything something great watch undersea day secret avoid season one horrible see bet lot give season skip unless crave black white espionage like action last cup tea hey new generation got submarine series starting fall last resort wait much made significant voyage underwent season many would say show shark borrow another show term season definitively case season volume two season outer space like necessarily case volume one season volume one primarily similar found season season fi bent mark later plant man terrible werewolf yes one werewolf episode volume one however many retain cold war era feel marked first two program still lot watch family first set first thirteen fourth final season voyage bottom sea still associate producer fowler story editor cinematographer j among brand new artisan composer harry known input wild wild west graphic design opening rescue best found following deadly alien mad puppeteer fantasy guest starring horror film actor vincent price sealed fail safe thriller man many espionage plot assassin master rescue blow infamous picturesque time traveler character name henry entrance time die please many cut unaired pilot eleven days zero goal office work voice find list volume death deadly cave dead journey fear sealed man many fatal cargo time lock rescue terror time die blow deadly concerning extra cut unaired pilot eleven days zero cut color pilot without original opening already included season volume set last set following audio miss us favorite episode could watch one naturally interested supernatural fantasy horror film series show one couple good one aspect show like typically place small middle nice respite myriad drama additionally quality acting two main perform show acting also even one many without following entire series following series order enjoyment often back previous second season sense plot line first season easier follow without entire season second season slightly first season slightly mature although show inappropriate younger course parent inclination like writing heavy show mix witty cultural family fast moving dialogue completely turned supernatural fantasy show might thing get past like appreciate acting writing show two brother chasing demon theme secondary good brother banter brother make show know maybe brother case brother really different appreciate show sometimes really nail head enjoy supernatural well written show always well real pleasure show ability fuse monster week procedural reasonably compelling narrative arc solid watchable show extra kudos actually fairly well impressive imagine tiny budget one eric keep fact even genuine seal deal bait good storytelling season good first season however key amazing story pretty well supernatural complete second definitely one time favorite wonderful acting great exciting watch take spin supernatural side feel en general la hay la en general never watched show u manila television limited watching supernatural five ago nothing else watch hooked limit three per day set perfect issue next day delivery came days later set awesome one series last two best supernatural series ever made received time jacket tact play well watched excellent condition watched supernatural catch episode someone house good decided buy season found great price quickly hooked finished watching season hopped onto ordered season say think even better first season lot series suffer sophomore season supernatural series mythology even compelling woven successfully regular necessarily crucial advancing season arc love interplay poignancy sorrow tremendous family loss destruction evil great series like suspense mind horror mixed really enjoy supernatural season excelente lo malo es la n al es un n mal antes de tan mala n excellent bad thing translation mess poorly made translation please think translate bad translation well ending first season little less second one got ongoing story getting much told sam best thing ending finally leaves much satisfied first season final also concerned next step supernatural series also comic relief thrown season comic relief came mostly season though comedy favorite episode season episode first meet trickster episode take turns bobby sequence recently narrate get see brother really sam dean glutton food dean sam personality sappy self help guru bossy hall monitor hilarious gave show reason gave first season show highly entertaining also much first season frequently felt formulaic second find groove small pool recurring established made show feel like complete universe established show concept took structure storytelling perhaps underlying surface particularly form yellow clear also killing father gave two nice meaty chew gave resonance got dark times particularly sam faced impossible choice something two supernatural happy show humor brother mask tone desperation possible futility odds seem stack higher even win love show totally awesome special disc million sixth disc season special usually maybe retarded anyone help miss exciting season supernatural wait season comes show great definitely worth however many set show since day one really ray like ability watch row w recap pretty bare death mother paranormal ceiling burst two sam dean travel avenge death hunt whatever else find hope eventually capture kill demon responsible mother demise supernatural one follow buffy x becoming truly great dark fiction series season two following explosive season one finale sam dean father hospital violent car crash sam well however dean find body experience likely die never fear dad comes rescue deal someone never make story faust teach us nothing life dean last breath dean ear someday may kill brother sam destiny definitely darkness two try figure happen sam stop embark series scary humorous entertaining armed filled rock salt encounter everything clown dead run season two meet new best ash dropout business front party back hope become series regular witty welcome addition cast also learn bit sam destiny first part season two full intriguing come first season supernatural great watch season two disappoint therefore love filled movie myth legend love supernatural watched series beginning ran going back see first two knowing story greater appreciation early small forgotten definite must library excellent character development great new one enjoyable seen gift daughter series teens watched several like wait long order however package series two one disk cracked hard play thank really first season supernatural original theme love watching scary repartee two funny sometimes mention fact quite hunky second season type first season however found writing little soft beginning middle season th actually considering buy next season goes sale however watched last season hooked really looking forward see season second season supernatural really bond sam dean first season beginning second season allies think season two stand alone overall season get better season proof love watching supernatural getting perfect side got scratches play ship back wait felt better new day good condition every since buffy angel left searching quality replacement show one found come even close supernatural second season disappoint pick exactly left fan action horror good television pick today delay found watching second season really good original made enjoyable watching great one great series overall also great condition heavy duty case ordered supernatural supposed come gag season comes gag real original screen test role sam without success finding either anyone advice disc special couple complex point get help would fan supernatural first season indeed huge fan even two three question show made major forward sophomore junior deepening finding new innovative ways structure one biggest show season one episodic demon week narrative structure show grew far interesting engaging two supernatural also far playful show willing engage self parody capable poking fun way way one series x grew show first couple almost unceasingly serious great show despite really took especially several extraordinary morgan comic season two x saw mildly comic though mainly jut flat weird morgan late season two circus humbug first laugh fest another morgan script war mulder scientist battle morgan wrote half dozen x four would among ten best x ever one award winning episode final repose one time morgan guest actor peter certainly x even greater influence supernatural two season one one season two episode sam dean give offer bobby mind x episode bad blood mulder give contradictory surrounding along sheriff luke among loosely based great film four incompatible medieval japan know much ben creator tick well writer firefly angel joining writing staff every way writing two sharp increase sophistication flexibility season one stiff uninteresting frequently flat boring rarely case show doubt part improvement stemmed gaining new surely stray away episodic format thoroughly show season one frankly found every episode season one show completely forgettable several two three stand instance one particularly good episode season two great genie help excellent guest performance episode emblematic new maturity show honestly say single thing season one almost intentionally predictable episode truly interesting every way show got better two still one might term major fan show even three fairly conservative show certainly done little redefine horror genre expanded scope horror fantasy way either x buffy still great deal say show excellent even innovative admire series better goes along received first three series gift frankly think going continue show finishing three plan buy season four come show upon return fall going similar show surely pretty substantial audience overlap fringe fox get lower might otherwise still fringe show really love keep supernatural via hopefully enjoy season four much two three excellent condition decided buy give guarantee put mind ease since scratches case excellent condition well reason gave instead one type shipping waiting two although shipped right away would willing pay little extra slightly faster shipping option otherwise highly recommend late getting great condition awesome show watching entire season ordered season time came first late getting wise favorite show supernatural highly item came excellent condition however missing content like gag believe anything person ordered took little longer arrive postal service fast days would definitely order supplier excited order time great shape zero reason rate bought received set region able play device computer able video watching read region instead region great disappointing works fine watching computer anyway anyone product cannot get play normal check back box look small globe number number anything different region code must return otherwise great show great product first second season show first flawless content quality however got season mail days ago sound balance really terrible music overwhelmingly loud almost completely silent mean lots slightly like insane contrast really experience keep turn hear explosion pretty much noise turn way deafening really need watch pressing ensure like happen able watch one episode give review season audio issue aggravating wow way end season season edge seat really new line direction ordered present great time excellent condition son law happy gift special devil three commentary gag reel unaired witchcraft involved success supernatural show top notch writing direction right dash quirky humor offset horror show second season show right first ended dean sam dad dean morgan fabled gun fashioned kill possession trio confront demon dean sam find leaping person person finally possessing father almost forcing kill driving demon father trio escape gun believing still track creature find special psychic war humanity truck dean impala sam injured alive dean cusp death internal deal devil case demon take life dean something dean resonate throughout rest second season get three commentary time dying director kim manners never writer eric first part season two finale hell loose manners writer sera gamble along unaired three devil road map exactly map united showing episode place country click spot see material book like various also see behind footage creation various hell loose essentially episode kind cool also get original screen test quality screen test typical home video really never intended shown kind cool able contrast first take character final performance pilot episode subsequent character development course two also get three inside scoop supervisor visual effects show overall look effects show inside writer room also supernatural season two writer creator producer writer producer producer writer director singer trio point show urban folklore basis sadly see board story behind also get plenty clips second season inside scoop cooper final included prop master supernatural cast use show cooper fun stuff create dean sam use amusing gag reel funny scene practical joke shooting supernatural extremely good overall nice color reproduction detail digital blur bit rapid action screen could due fact show shot although largely look film whole show quite good exceptional second season dud highly recommend supernatural show hip humor capture much fun made x memorable hard reproduce interesting night stalker previous fold case brief synopsis episode even depth several enough could probably build one alone chance certainly several never would considered watching dirt bag paper block cool fascinating well worth price length maybe footage older would interested seeing done time funny story line yet left hanging wanting unfair need series tad much blood taste horror even like super violent action fine brutally recent corpse thing violence killing bad style gave instead aside detail find show totally make buddy movie effect whole supernatural framework sort non religious yet definitely spiritual effect big mystery never ever seen praying show actually known people similar show central mention young men passionate powerful strong yet sensitive darkly past sheer sexy nearly intoxicating long run many anyway show actual plot well intelligently done well worth watching recommend first second beyond compare good third season still worth watching wonderful due fact new network third season made get rid whole season mystery story arc instead two little story last story arc climax bell cast still superb witty characterization amazing live oh miss show good television get crap like one tree hill air although sometimes plot far fetched energy pace main keep engaged take mind real world season somewhat uneven quite par first season still significantly better many though suspect already know looking season great show bad ended many unanswered awesome series bad ended without closure though watching new series happen lot throughout series however little top last season cutie pie behavior overall wonderful series quite interesting season ending intriguing resolved movie yet would season show prematurely well written well high school setting aside interesting story great plot series looking forward movie enjoying season much first always lose something change place story surprising kept attention whole episode good season jot best many story along way make want watch movie love series season last season end abruptly without knowing honesty get enough crazy ways mixed boy drama detective work female hero p another excellent entry cannon left hanging last episode luckily movie tie loose season include season long mystery formula still excellent get used new atmosphere new overall quite good caught bell talk show check series pretty good believe able enjoyable part intelligence experience make life better around mostly feel good world first two great something little one still enjoyable show watching bell never old great cast talented young lady helping solve awesome despite unknown great sending important delay little disappointment plastic corner broken important importation third season good first two still love hate ended resolved well movie though great show teens young heart cant wait see movie little far fetched show take show show bit ridiculous hooked love drama ridiculous brought awareness whole invisible issue date rape issue watching series found quite entertaining like way abruptly ended however looking forward movie many main cast involved good enough buy like earth kind guy hand place like infection come question recent boy first promiscuous fan must third season watching wonderful play review hardly wait next season wait see movie wish would really series came abrupt end show respect people invest sick sure cancel show want least honor watch great show unique character much underage drinking sex crime good attitude toward bully fun watch like season thus far much season point many narrative e g whatever still one favorite prime thought entertaining good character development think people think twice living lots almost star really great show grew strong grew right left us hanging great first season kind slow still good looking forward seeing movie interesting entering date modern crime completely mind never saw watched thanks well done kept interest good see something thank forever fan show gotten better could kept high opinion best show definitely guilty pleasure kind thing find season upcoming movie place time later adulthood classic episode also main character movie great show unbelievable high school girl would involved may bad good show good show watching series show well cast good hope never show television fun discovery soon love ensemble writing articulate glad prime choice v back college course trouble quick enemy dean st elsewhere great really terrible many cable carry original drama e f x quality show picked bell gone miss young wiseacre nancy drew attitude long miss u lived prior love wish would bring back onto movie sure good solid season brilliant one two still fun acting almost always great writing clever always like one two like one well program saw mid way season got prime able finish series opinion first better third could little less teen drama dark like first two unfortunate show ended like good thing movie coming since seen watching season new quite first little bit hesitant going new setting mostly new people plus still shocking highly dramatic season heavy season honestly three four different crime story less harder feel mentally drained feel like dragging attitude change though change whole revenge mine kind getting little tired point everyone enough screen time would gone could feel like mac weevil totally one good time super excited movie watching first season took back high school days teen p wait see movie like bad season four would seen program continue cast store line starting watching loving show season set college instead high school new well old overall excellent series forgot great series miss looking forward watching rest late show watching soap net went air glad find video show smart funny lot fun watch recently watched movie came left loose well hope someone smart enough pick sad last season great show love show get pretty dark also realistic looking forward movie next year pretty good season fan way season end movie ending see review movie show maybe known would watched bad marketing friend got watch prime oh well deadwood ended end way huge build left holding breath rest life good stuff needs another season love good writing story please bring back part well written series good actress check house cute almost finished watching fore knowledge sudden ending unresolved story pleasant surprise find movie made available rental day finished series favorite returned loose nicely tied would certainly watch movie sequel glad film suppose eventuality bell executive producer project got impression aside labor love grew hopelessly stuck complaint profanity suppose purposeful decision people cuss real life show never real life content run hear f hardly prude language context anyway big deal show recommend movie like series like story line interesting watch turn like mystery really series even though young audience appealing appropriately ogre like clever humor watched first two series suddenly turns run soap cable channel acquired prime found entire series free prime great show ongoing resolved unsatisfying understand money raised something underwrite cost full length movie cast plot unsatisfied would hesitate recommend series anyone plot character good dialogue humor except fact ended without finale saw going start liking prefer stosh though stay rich bad never nice funny loving guy mad would good fell one guy helping ex motorcycle gang leader good guy enjoyable kept interesting little sub pleasant well portrait series good shame took program air good series female teen view typical put much effort good fan since came excited movie got everything good would give season like quite much first great overall season creativity well bell say perky personality great mind wish series still bad part ending sort season based previous however final episode continuation program want know next pilot great fun though would great fun see great first two still enjoyable watch wish fourth season interesting crime drama comedy thriller mystery even though place high school setting little soap opera still watching gave interest fishing around watch prime recommend people like much love rather disappointed way series ended want know bad sheriff election never however enjoy season preview bad season never thought st season amazing third season good like especially fan less personal part unlike first two murder cast new like still love show good interesting season actually made glad picked season awesome wish series could complete final season though kind ended excited movie great show another one never think first better much first reason watch third final watched complete season could understand movie season much wait see movie great believable action kind grown version nancy drew mystery series kind one series better season good recurring strange sometimes brilliant times ignorant surroundings unfortunately left unresolved well written series funny tough real character smart good hearted right thing hard teenage sad say looking forward movie series fun watch college trying social life also like show good turns people show watching little bit skepticism another teen show mature funny entertaining still many times waiting watch movie even without mystery full season whole season season still delightful witty snappy dialogue interesting solve excellent character chemistry bad season finale forced serving series finale never meant many tales without satisfactory resolution good thing movie come soon perhaps finally get closure one consistently good writing acting serious program deal serious murder rape systemic racism serial format main story arc last entire season dealing smaller every episode one disappointment program prime final episode season included however great way get caught movie coming although first two much season came nice pace overall feel satisfaction end investigating car moving stuff stolen look like way locked college campus worldly nope exactly magical like share nefarious busy agency staffed ever resourceful year old daughter final season say hello bid farewell high school flush mirror part time full time college student turns sardonic attention life hearst college simply change feisty heroine still dad gumshoe department still exhausting relationship emotionally bad boy still rep ferreting digging nosing since get soon neck campus plot follow complete third season still good three time main ongoing story revolve around hunting campus serial rapist another baffling murder smaller scale mystery plate stolen team playbook missing accusation plagiarism heiress secret society holdup costume casino party add freshman also take long alienate activist sorority fraternity well assistant criminology professor least crime made easier library girl photographer college paper always got lean mac even sporadic one reason season good show mostly second favorite character show muddle comes close tortured soul thing basketball mechanical engineering weevil parole season must maintain job mac well still shy meanwhile clique happy go lucky dull roomie party girl dull parker mac roomie hello new old even hasty wedding usual blending heartbreak mystery life life end blast plus one sleep worth marathon session something said watching favorite instead television instant gratification immediacy suck viewer even said bummed series abrupt demise pretty upset even proper ending series last one leaving audience hanging cliff cool two plentiful bonus stuff found th disc set interesting quite bittersweet two devoted would season one minute clip giving us feel next season would like series talking pitch presentation season new direction show feel decidedly unsettling familiar stuff ie town school backdrop father circle taken away whole new mess felt bit hostile banner going undercover rob sycophantic right hand man dan get ho hum main change rob experience favorite guest star mean girl series creator rob public outcry mean season politics concerning negative show goes favorite favorite worth unaired minute gag reel best many finally got police report suicide gallery clips fun bell q ing also guidebook ton gripe yet wish bell cast done interview even episode commentary three goods consistently clever funny angst occasional melodramatic twist even along crisp plotting snappy banter show complicated fluid real faceted perplexed season end show kind broken away normal pattern episode pivotal acting one cohesive last five instead self show really feel less first although still darn watchable pick three instantly spring mind debasement rudd guest near alcoholic rock star living old glory moping cheerful year old girl episode series begin get darn good acting department ever moody make case character best dad universe series daughter dad thing amazing level understanding humor wonderfully bell whenever scene together world good always bell spunky tenacious girl detective effortlessly show well show done superb cast scattered bell moonlight still take bittersweet theme song stop sticking brain long time ago used see good show echo daughter find charming fan love fun snappy keeping show bit grit darkness grinning ear ear cheering get come stand alone film find good story telling smart modern noir film worth watch non fan wait one come still good like first two show wish closure end good show ever seen recommend although modern nancy drew good great show series fun see college case awesome series always problem beginning show fantastic anything much exactly case season mean still worth watching maybe though almost good college tough shoot small comfortable world super upset get resolve fan suppose abrupt ending show actually fairly pleasantly everything wrapped ending albeit somewhat haphazardly show great unfortunately due enough end getting season interesting somewhat season season three good previous due network show formula would given instant video consistently freeze episode error thoroughly prefer available android specifically keep membership order aware may get original fold disc separately new got budget sometimes see show basically top single spindle problem case much taller spindle sliding around inside case first f red green blue red green blue pard f good interesting show even ten year old watch definitely recommend husband even good series refreshingly fun twist humorous strong female lead group share strong tragedy love new movie season better definitely still season awesome like much watch love good mystery watch curious movie coming great show sad longer production good third season thing end end together waiting little disappointed decided watch movie thoroughly story line role well however last episode end well though love relationship father daughter great one bell superb great relationship everyone way sad ended could see need plot extension ended way lot could without lot fun problem girl cool main gripe show episodic format little far show alone mind seasonal two parter otherwise want wrapped end episode finished season everything end season could accept episodic nature somewhat easier preference hold one else great work whole gang back even dick must good agent seriously watched would stop keep going worth getting end interesting see growing entering college high school long slick new solve good series recently bought movie chance view yet great show cant say enough cast amazing writing fantastic show set high school collage also wish show could went longer husband love everything may put ongoing mystery season namely serial date rapist hearst college try get past season continue saga group father unravel several minor left probably aware number loose bad get appreciate three go watch feature length film show fresh smart always clever idea new yet dragging days going th season hey least way better th heaven least coming back bring back could bring back lame th heaven got season really got hell think everything supernatural would cut show actually good even could act little much like overly goofy version buffy still really good unpredictable teen detective show lot crap actually year bummed ended series two end leaves hanging would think going cancel show could given us finale least movie fill little bit really watching series like ending would find finish story maybe sure super sleuth teenage pi know function love life film rounded glad got made hope come definitely fan series character development move hearst college major interact meaningful ways negative however ending leaves viewer feeling unfulfilled due course fact series season spoiler third season best way ended movie made really enjoy watching show nice ba un entertaining show already connected nearly cohesive engrossing first season still good continuation good premise nice watch show good acting know else say movie better old series everything fit like old glove never seen series still movie whole bunch good rainy weekend afternoon require lot deep thinking ponder end good old fashioned murder mystery series short wonderful watch anticipation upcoming movie bonus feature potential th season plot line terrific sorry produced tact jump time show would least another character story must anyone series see movie third season new college setting added freshness already energetic series mix long short kept unpredictable time get couple long one two shorter bunch stand alone worked fine score except maybe couple dean getting coach getting dad sometimes hard tell case talking quibble along college backdrop lend new maturity instance see several life fair despite one best particular thinking latest frank weevil character tough smart first two weevil street serving well older downtrodden maintenance man college watching rocket past toward seemingly limitless sad see unfortunately realistic new melancholy version show familiar theme song less bucolic final season speaking major wrapped season end though smaller remain unresolved professional future romantic future plus one two mood final scene walking distance uncertain season unsure indeterminate flavor season downer happening new aspiring announcer even gain little wisdom yes even surfer dude dick amid growth melancholy palpable relieved occasion course knowing show fourth season yet another theme enjoying final set appeal getting fourth season show getting vamped jump ahead show either seen special latter last ditch effort preserve series least form final movie two get real closure instead semi closure least might give us chance see unrealistic poor weevil move onto something productive happen thanks show creative team three entertaining provocative could done worse enjoy series perfect roll like story line get tired violence good change love used watch first came watching husband movie comes love hope see still stellar show though making transition setting part series abruptly without chance rob create suitable ending luckily movie celebrate series resolve season hopefully revive series previous season fun entertainment well done clever great one get like something call network get network anything around must big city network also apparently devoted cup tea saw prime gave try surprise show probably geared teens would figured smart irritating quite cute show college would mixed help also lot kiss tell f interesting show total surprise remember movie ended complete think movie needs follow lots put hold rushed finish series still understand would interested yuck like fish bed guess forgotten miserable teenage love interesting unpredictable looking forward movie third season good thought second season better late watching show sad ended well written unique wait see movie even though composed mature enjoy well look forward episode part unbelievable season quite good st still got great cast witty dialogue one latest critically rarely watched thusly original gripping intelligent persnickety part noir part teen drama completely awesome although third season quite good first two still must fan came perfect condition also handy play feature probably bane existence quite easy intend watch one episode realize four since love series watched ago watching prime season good season one better none much picture clear show watching would recommend everyone high school crowd backdrop night one tree hill except intelligent sleuth decent dad smart dialogue excellent acting father daughter team especially like two season definitely worth watch fan maybe cut short left wondering going go fun final episode show given title really kick butt name title b back careful usual sloppy everything lead back would interesting cliff hanger show story pick back excited movie see story watched series buy fun kind suspenseful know solve final season continued though good season mature college dealing usual high school mischief one major story arc finish soon somewhat unsatisfyingly relationship drama forced overall good still enjoyable good series enough fun watch want got interesting series gone one would like go least tell really bell refreshing young play sexy smart demure time cute carry day version brainy brash demure girl detective series best easy look surprising unpredictable check house see mature rated version really season except back forth know fighting make make good would see bit stable couple also say like character think right seem get need justice think long term would cause season think season mystery could dragged added pretty good great show got sort ending leaves highly never picked back oh well ashame cut show short somebody needs pick show run bank light entertaining easy watch sleep little like old use read nancy drew thought would another creek dee lightful bell role character watched show ago watching try find new series watch really series thought finale really horrible overall great teen crime drama series know get picked fourth season finished random disappointing enjoy show trying create tension fear action previous opinion totally unnecessary always enjoyable acting great really bad last season fantastic character development always plot working solve alongside season took downturn opinion first two still fantastic getting good ended time show movie show sorry ended hope movie well growing nancy drew good show watch family watch episode episode hard turn find refreshingly entertaining deep enough keep interest without ridiculous acting believable great job body language supporting cast also well high school bit better though show still enjoyable would recommend nice fun show completely dumb many today watched originally friend got interested lots teenage angst unique angle concept common setting totally norm course normal face sex underage drinking wrapped theme plot investigator really like see got together movie watched series decided check new fire pleasantly engaging show plan go back check high school completely behind bell college spite best stuck hearst college living home dad result really surprise mystery danger find well earn reputation person solve unsolvable involved one case another behind welcome wagon new student stuff would kidnap monkey missing member board unlike previous two bigger first serial rapist hearst campus second one college dean cyrus dell found dead office leave personal life relationship especially since friend new roommate also interested going ever time study unfortunately final season show fell love right away sharp concentration follow every week yet sharp sense humor wonderful lightening mood usually dark show relationship soap opera times annoying never got bad acting top notch least favorite season show two shorter couple stand alone adult tone definitely always present even pronounced course expect rape subject half season even personal life made uncomfortable times result recommend show young older teens absolutely love sly combination wit noir addicted series always main theme lot bunny pi believe left us hanging entertaining program thought going high school bubble gum thing watching every episode wait watch next finished final episode felt like lost friend good enough watch whole season good good entertainment us series little everything plot quick wit dialogue really amusing sorry awesome show watch first two less quickly time favorite third season par first two still better lot still miss show highly recommend anyone teen show least unique love series wish would gone past glad revisit whenever want time good condition whole collection wait movie come character occasionally irresponsible often based preliminary evidence regard collateral damage season disregard full bloom investigation important personal relationship keep one interest character revealed self centered oddly repellent kudos cast season gave new twist regret didnt th season would love however way ended sent wall wait get next season found total need bring back still great series although find interesting first two disappointed abrupt ending shame season finale like love show wish never ended tough smart daring wait watch movie good season good bad ending season last ever since watched special glad continue different show normally thought catchy little nancy drew update fun watch go yea really got series wait buy main people really want watch wait see next series much good cast good show writing great st season excellent season good sorry worth watching sure else say improvable story would interest good see develop natural time progression year old looking high school review three one help smitten sassy show worth watching hear slam people plot format multiple unfolding simultaneously important lasting multiple main one lasting entire season resolve well bit predictable enjoyable always hook end keep next episode last season ended clearly intention bad finish story good show good condition fun see series ended although bonus disc featured season network pitch wish really show chose really good television show saving star rating knock show really option would give start watching series enjoy every episode series murder mystery high school college drama social commentary sarcasm beat humor style often film noir bell ideal role lot detective work conjunction father would suggest like beat humor actress bell series lot especially relationship father caution younger watch alcohol promiscuous great gum shoe detective work good third season soft hanger end th season wish least definitive ending season season three acknowledge writing went direction season much previous two worth getting watch movie end first would recommend watching looking forward movie end end season long mystery fresh air nature st mystery may also straw feminist trope always handle subject sexual assault much respect needs emphasis bit times well still better mystery crime bell wonderful ever still great thought season three quite good one two maybe story line little less exciting series still worth watching longer back understand name really ended thing third season maybe hurt made keep watching even though starting hate b never extremely aloof felt huge heart course rarely trust respect like dad never put forth real effort third season dad willing smart look proving someone innocent much anyway twisting hidden captivating psychological made fun watch maddening though could never get real ever answer even sincerity almost never ever concerned everything alone would grasp would make would ponder ultimately always bell perfect role lots mystery teens love series wish ended better see end coming bell fantastic season follow meta set big mystery also ended abruptly assume got axed finish season nothing wrapped finale series entertaining good story well old role freshman college student fan show strong cast good two series conclusion elite binge watch series month period actually glad used film plan watching weekend season best star season little less interesting coarse season well done much younger audience thought would lady intrigue college student three season pilot episode first television hooked watched season bummed found plot three amazing even format third season still great recommend show everyone hooked many ended borrowing three season many hooked show well entire family show even watch television great show amazing enough drama comedy keep audience must collection buffy chandler well written fast paced well funny show mystery probably three yet still must see entertainment household discovered series month ago never seen broadcast found cast story interesting considering relative age series season original cast added new college classes time big little like type like side note season produced never season found enjoy season captivating however last episode nothing leaves satisfying way say show love bought season several ago watched series came decided buy three digital great least love video quality sometimes got fuzzy sure ever love show worth ever picture quality get super fuzzy watch computer fine super clear even happy still give change one mystery story line made less satisfying season less investment story less room story development season felt less clearly written ending weak still wait movie though really season college little peeved ended way glad watched series close movie release hopefully help clear really enjoy show lot turns daughter love found final season series highly entertaining package excellent condition touched amused awesome watch special disk see th season never came pass well gag reel crew series able stay air fortunately thanks watch whenever like well enough written cast directed enjoyable doubt watch series return like long lost friend buffy leverage burn notice want watch even story line comes close feel like chore watch find next see cough cough lost cough flip side drawn enough per night strong season end rather abruptly still fantastic wish wrap little last season place central crime arc season like lily murder bus crash first two instead smaller span three great also season worst great show wish show well written funny relatable many familiar pop throughout fantastic story great well written season still story line work well story high school college sorry series ended lose direction season somewhat good show happy came mystery adventure romance typical kind story relationship side rather detective work really relationship v l love writing show smart funny wish three movie nice follow really like series sad see end episode joy great season like new season wait movie coming spring love series sure wish would gone teenage son binge watching three order see new movie going watch series start beginning best season season still super entertaining crime show wait movie three based recommendation worker fan thought sure target demographic st century nancy drew interesting enough get teen angst drama top super rich unreality series trouble making jump high school looking saved bell wit still present despite death surrounding previously still feel forced soap opera good fun thrilling danger used great ride like season good first two perhaps got tired likely much thing really like smart funny good entertainment enough interesting see movie coming march good show kept interested season look forward watching movie wish like took watch glad funny smart really entertaining even slow highly recommend sassy jaded grown know love usual get trouble season unfortunate last season would interesting see little bit finale want give review see looking forward seeing movie completely caught love writing father especially senseless sex bring quality show understand culture live witty show time fun remember took talent write show season ended really abruptly preview season place th good concept previous washed awkward relationship start predict season would overall still really enjoyable definitely show ended soon would like good looking cast great snappy southern oh yeah bell best good show like season wife nearly done binge watching thoroughly flawed heroine story capably bell sarcastic witty cheered disappointed end air always intelligent get canned perhaps wrong people watch love however wish summer picked already college could done season overall still fabulous always big fan show catch movie comes wait first option something better nonetheless good production escape abrupt ending series oh knew coming still cannot believe plug show charm plot getting thick good first season fun honest super love letter right comfortable fact might great movie right nice piece die something movie totally comes longer great follow great stand alone well everyone back along fun new really better see sequel enjoy movie major draw back leaving wanting series come back movie fan show feel like movie continued show left really high occasional viewer series really movie pleasant way pass couple enough back story able jump feel disconnected going said really enjoyable watch show brought back almost whole cast even cameo bell husband parenthood even cameo basically serenity firefly made show enjoyable witty script good chemistry super sassy nervous movie coming show want see good thing go quickly erased saw movie great show little show could enjoy well realize much grandmother really series watched third time prepare movie many cast returned movie think series also fine series disappear view get big marathon trying say sex well bull watching made virginity serious precious party woman would feel loss relationship father rarity raised single dad heck love also bring back need series thanks movie made want story people addicted show high school movie amazing addiction wonderful way like personal reunion high school get sense love see hope bad boy spoiler alert movie something bigger show disappointed show love movie buy new life career come straight nowhere also seem possible plausible given background also intensely cavalier scene end weevil desire safe family life finally really witty banter despite love love bell hope hell turn hulu series listening might want talk rob exactly waiting still twist turns show remember anything worry get little recap beginning got kick follow movie tor series enjoyable would watch future discovered quite accident several ago sifting fare taken headline teenage sex angst bullying class warfare music thought series fifteen would watched since watched three three times upon finishing third binge couple days ago movie overall recommend notably hooked already would recommend movie anyone looking good quirky suspenseful movie without gratuitous anything recommendation must include suggestion someone movie first watch entire series order get parade history movie slowly enough nearly lost attention thus feel series nostalgia plot much movie glad left bit air sequel sequel miss lasting impact movie bell way becoming rob golden touch kudos self hey couple television movie entertaining funny times suspenseful guessing throughout movie great older teens middle aged movie remains true series stylistically fun watch wit humor many former cast satisfying experience wish good story history good snappy writing lots overall excellent addition series living nothing publicity surrounding making movie money amazing rate saw movie completely accident ordered immediately glad see got many original cast back unlike dead like movie tried palm another daisy us work although bit slowly soon came love back disappointed series felt deserved sort closure unfortunately movie really provide closure want sorry rob series cut get butt make another film didnt think movie bell would good good story line complicated plot enjoyable us final season interesting likable national public radio commentator lot thought went bring back way sense appearance sense hail mary end final third season episode even sex tape actually story rather slapdash way thrown end great conclusion series unfortunately follow really still enjoyable big fan entertaining collect anything show enjoy watching like well executed extended episode series show pleasant two old little slow times overall entertaining watch good weekend watch rob throw everything made great movie best part apparent grown accordingly biggest display maturity full display towards end movie relationship play could turned angst ridden mess handled clean manner one would actually see real life sorry vague want spoil anything fan enjoy sarcastic enjoy movie sarcasm story line interesting kept attention good series would like see movie movie show crime movie good gave predictable right alley watched show us thought definitely better movie better totally involved although navy fighter pilot really ever amazing ball self good movie husband accidentally rented ended watching enjoying wish could remember series though really like idea finally good see show back least never stopped making series series see movie opening weekend fortunately us buy digital copy opening weekend movie absolutely complaint longer would call must see fan show way back perfect movie pleasurable one never saw show watch old prime end liking show enjoy movie well glad see cast slip back old easily fan show wife never watched movie see time imagine two people high school reunion one person alumni anxiously reunion second person attend school none old reunion alumni reunion great fun reunion alumni great time seeing old catching everyone reunion crasher much pretty waste time movie sort like made watched television series example weevil first time movie unless watched show appreciate significance weevil life emotional attachment weevil one favorite show seeing show photo telling significance meant much would viewer meeting weevil character first time entire movie like overall movie yet plot never met together time another thing sheriff race end series obviously father sleazy pi get one watched movie twice still find couple plot would probably given five really wish would bring back series series great see everyone specially together one say anything know belong together fell love great see miss series much inside self referential stuff poorly executed street performer cover theme song bar remember top head little suspense spoiler alert understanding character believable giving ending arms believable hour movie less good blockbuster acting well done average production like finally like series ending still leaves wishing series recommend looking forward movie glad made worth watch fan series show pretty high movie certainly let would recommend fan virgin though would say watching show necessary really understand made movie entertaining little long huge fan delighted see movie come around alike enjoy sharp wit humor like watching show everyone stepped back especially got kick seeing husband try pick bar great moment show love movie wish together love ending still movie lot sharp banter mystery show ended thanks wife huge fan show really movie casual fan able enjoy movie biggest complaint skinny sickly looking team run deep never saw show air since saw film watching show movie awesome show sad growing good movie solid story line mindless need gratuitous bed good otherwise like would like make ongoing movie series quite good nice conclusion anyway glad made movie funded film crew sure please excellent jaunt adult world fan show might completely engaged though already fan movie pretty good suggest watch first fan disappointed great movie felt little disappointed afterwards think want end came back super happy ready would reunion least heck even still yawn meeting supposed meet dating seriously good boy really know good uniform skinny come back form another movie series still tell great seeing every key character original series daughter forward movie disappointed wife huge fan convinced watch fun movie good job beginning basic recap involved kind get caught lot inside get never watched series overall fun movie treat catching show movie definitely love letter felt like series finale rather major motion picture bad thing great series heart pounding several times thought might lose couple beloved felt bit short anyway three series left immediately series love movie much really movie nice series way ended nice catch everybody add review middle wife watched series year ended series call us follow back enjoy series enough try ray came good even great well made movie enjoy seen series series definitely enjoy movie cast great movie expert could tell normal produced movie wish firefly movie made like sequel series rehash honestly movie found work computer understand watch watch want understand might fault tell buy huge fan wish could done movie end series felt relationship old love little strained weird times otherwise like watched twice movie satisfy non mystery interesting enough hold attention given choice suggest watch least season one show first creator rob movie funded crowd campaign felt build story brought fan back together mac deputy almost favorite series smart banter inspiring message good job many satisfying easter movie without ever feeling forced movie opening clips show bell telling us story ten ago good job laying foundation help non understand help us memory remember may make unfortunately really fill myriad pop throughout movie may non hopefully story tight enough keep interest plot grounded good mystery satisfying way advance character set stage life movie done budget fraction typical studio film given number involved amazing rob able pull film well instance loving care shown sound design especially selection use music hat tip street busker early film cinematography little screen big screen looking forward seeing ray concern movie may little series may better used relationship key mac instance subplot friendly deputy corrupt police force may series fan may want knock star two rating fan probably write ordered already disappointed great movie made feel like never left wait next movie show come back movie awesome much limit play video apple product android use chrome cast entertainment system would nice support video movie awesome tired lead future possible campaign good idea mouse delivery funder access movie confirmed days release fan twice get release date one second play sorry great movie movie movie rob gave life another well written snappily movie bell remains fabulous ambiguous always watching way making long high school days movie enough convince least one huge fan show movie lot accomplish admirably little beginning like old friend mystery little weak show pedigree purpose also excited open plot movie left potential good quality picture wonder watch series network fan show like movie watched friend watched television series enjoy movie much good movie wife big fan show never seen show found movie enjoyable great movie fan series seen series probably great experience fan show enjoy movie different put good story couple great fan seen really film lose fan since middle school love love love series every couple thought movie pretty good job giving closure fan show like movie mystery witty dialogue cast like watching season without little side season main mystery quite sure someone new would find movie set back story able follow along movie tremendously seem little disjointed could used little detail maybe little longer well series great go back see everyone glad honestly think make movie wrap everything glad serenity firefly one best ever different like catching seen long time less great job glad crowd fund quite movie decent job tying left show looking forward reading novel family read movie series disappointed conclusion season sort really could campaign finish season would great bad show better job marketing would found stupid teen show buddy also watch thank prime series movie sort monster week type x movie huge epic story best later one old trouble people might like enough get plenty dick series pretty cool backer getting movie made admittedly scoring really feel like fan service would want see still good story seen series prior get decent mystery story watch may feel like typical movie cause side story direct connection little payoff unless fan even though could see movie younger group much new technology social media paramount movie plot keep pretty good little soft times fun movie back v show mostly clean watch becoming difficult find weird full innuendo actress fun like visiting old watching brought back great awesome show wish miss already good back together show line need another would love follow series guess always want really movie show love even watch show still enjoy movie writing disjointed times glad see thing one last time though think great continuation story spoiler alert always thought would one never watched series good movie transition actually pretty good thanks fan show want fun movie watch hope sequel new show great getting see erotica long still remember making fun day found cancellation depressed would occasionally blurt would reopen wound ever slightly well neither movie good good entertaining dialogue enjoyable movie especially show may find less entertaining certainly worth watching like mostly main mystery honestly knew immediately smart watch enough certain stick usual even call still mystery similar plot character season wish police corruption far interesting well except fact made new sheriff sheriff lamb brother rather pointless whatever watch watched movie daughter watched entire series really since seen series filled premise show main think would stand alone movie also really like bell actress also well bit slow start lots know personally think could whole kick starter guess felt like minus one star story like ago check even fan like said catch could ever want good series really enjoy seeing former cast since series ended watch series able follow plot watching movie lot nice seeing come back life get taste new old combined series movie well know people seen show interested see movie good story line good acting like story fan surely like like see much original series movie another one future complaint mystery predictable otherwise great visiting even though seem top look forward novel coming couple course board ever another film captivating us adult version hardy nancy drew adventure much way written like want use find culprit enjoy totally level full length movie like extended episode really great conclusion seeing original cast series movie like series much watched much series found movie quite enjoyable easy follow sure still fun watch cameo hilarious course watch movie completely heartbroken abrupt ending series movie chance resolve unanswered reconnect one time favorite love idea addiction back town pretty much feel could watch day every day said wish personal connection mystery hand season good best friend murder case ex ex murder connection anyone already familiar show may feel little left since quite would luke drug luke attached barry baseball role since movie demand plan watch great movie fan show movie looking gave everyone live happily ever wish could hope last hear huge fan three want need real closure good movie thanks trying give movie faithful spirit television series based series like movie well done low budget film make good series small screen cast movie matter love could wait movie come however already cringe teenage watch show content adult however take show motion picture adult although f bomb talk graphically sex crude sexually drug drinking murder talk sex tape spoiler show times felt like really really need go far content already love show need compromise taking movie story line great wish would make another already many main come back fun see love mac cutie ex deputy weevil thick course cute many times dick riot principle people call star goes fact content left many people still enjoy clean entertainment cheesy clean classy series like extended one would like se sequel really movie glad bring life fan show love never seen show make sure start opinion movie really stand plot built around year high school reunion course lot nostalgia mean much already know love watched television series movie based still found enjoyable anything whet appetite watch series back story highly crime thriller filled wonderfully dialogue really catching original series story great glad everyone true form enjoyable dun would love see yearly movie maybe something acting better good fluff entertaining understand minimum number never watched series movie pretty great seeing cast back wish let grow person return latter give life great see cast back together bell better ever hope see future nicely done intriguing detailed engaging overall chosen shot dark really acting movie whole well worth watch read movie decided go back watch three series somehow first time around like good book kindle hard put several days sad much left unresolved end third year although movie welcome addition story rushed end leave wanting series cable video service listening us great program ended way soon first way go film limited release march limited meant show city thought might could see video thanks able watch th thanks really fun catch favorite favorite usual quick wit series film know grown become part character hoped characteristic would remain angry throughout movie opening made angry younger still dare hope comes back series least another movie maybe longer movie next time good whodunit show especially like nice tie younger show film around former suspected murdering coming aid television still present fact like double sized episode series find much enjoy even non may fun personally felt plot close something would arc season rather big event deserving feature film enjoy also looking maybe bit substance time led release majority demographic love watching envy relationship envy father together anyway show watch binge watched watched movie great concept film think casual serious fan show would get money worth gave warm fuzzy feeling loyal series think great job back many movie show satisfied little hard follow times overall think great movie always felt like could ended show little better movie loose fan series really movie husband watched show like movie well nice follow series work basically every character hope see fell love always bell amazing cannot think another actress could play role accuracy sequel alas could get sequel well us long time wait next dose series worth movie favorite works solve yet another compelling mystery way people watch enjoy movie well enough without watched series watch show beforehand get best possible experience beginning movie bit recap series much explanation various instead pretty much right action missing chemistry maybe zone working together every day series maybe fact married felt less like watching mac like watching hard explain really disappointing looking get lost another mystery also good movie sure would make fan anyone else definitely one love show look past movie gave last longer left season ended made happy happy outcome mean typical would accused murder time past leaves wondering v would come back maybe close accused murder time since show ended movie fine job pretty much right show left many recurring television show small focus movie squarely like many mystery revealed fairly quick order mystery important point story mystery simply delivery vehicle movie somewhat rushed may simply due number original series fit mere movie time little become past life entirely necessary since fan funded project entirely understandable one need clue seeing film capable standing however watching film without first watched series may come across bit shallow simply enough time get character leaving mystery sole reason watching film fan highly enjoy movie lot like show like typical movie would see theater much show movie good send beloved television show watching home convenient show able make movie likely want check non tough time getting movie acting good around rob good job story big screen binge watched prime instant watch movie available right away rent fan television series like film huge fan service inside people unfamiliar series understand overall much like longer version one series wife watched series hooked mystery quick wit humor looking something watch recently found watched movie like show set later would let watch due language content movie review kind guy giving humble opinion show movie must see addicted town teen detective movie good really going secret society mob teen get due rest gang know mean glad got wish good see grown good story line movie sealed series end together like happy show fantastic worth saw entire series last year feel younger movie contrast excited see support cringe worthy love great group series enjoy movie always good character chemistry see sequel coming hope love made movie able enjoy classic left unanswered possibly sequel doubt would ever happen happy wrong really watching movie feel show always hopefully come really fan show wife seen episode two really definitely worth rented friend response movie know guess caught show mostly saw movie make big screen x serenity pretty good movie slow cool seeing camera old care profanity though penis drawing lipstick middle finger gag little unnecessary non may hard time getting eat say glad finally got closure enjoy watching however spoiler alert read comment watched movie yet course fan endeared sad satirical humor sexy everything obvious love really left loving relationship great job whole life new york move back long distance relationship sort however movie several made laugh loud like bell real life husband bar hilarious love enough overlook mystery murder plot top drama wish could gotten closure without ending place left let say one thing damn walter got sexy terrible movie show movie left concept production try harder follow show stand alone movie audience wanting like let us rate half big fan series movie great revisit still much miss dialogue unique wonderfully still believable got movie land later meeting movie funded clearly written mind bad thing however people start experience rehash plot though found satisfying found series order find different remains well still bit time bomb though maybe longer ready go every little bump road character similar manner ruthless fight justice toned need fight semblance life still best father planet earth mac perfect dick still simple uncomplicated love hate overall really movie ever live seriously series still much left unanswered far much left open ended series would wonderful rented movie via instant video recently watched three prime instant video fan show air rudely without notice movie nice little return ca us ending predictable least know everyone since first year hearst college movie kind dragged overall felt like watching two hour episode guessing aim rated movie four good spectacular admit story cheesy especially dad keep getting better progress stick definitely entertaining would thought based crime mystery genre character strong witty imperfect made entire movie fun entertaining wife movie fan show recommend highly made show never seen show would bad introduction better starting watch afterwards prime member easily accomplished series available free prime think someone new would get big kick daughter show see movie disappointed really movie bell fun watch original show one winning believable fun watch interesting would definitely recommend movie really series nice follow showing everyone worth money certainly got hour half entertainment look forward possible one criticism rather dark watching computer daylight little hard distinguish better watched night dark room would see theater possible past weekend nice right away sticky people cell distract entertaining even never watched show fast pace keeping audience guessing mystery involved reluctant admit part series maybe hooked dandy opening theme enjoyable motion picture follow little disappointed handful made end maybe appropriate overall like long note cameo appearance homeless man opening theme song handful television series well worth decided rent need watch getting older maybe growing well order movie fun watch probably watch mood us wife watched tele back great see gang back together script tight acting good plot line suspenseful even better film consider funded funny ex private investigator lawyer goes back help father investigate friend murder funny see know surprise also time year high school reunion typical romantic comedy many convenient splice plot together used duct tape instead rated much bad stuff much believable stuff either fan watch series one old series super smart laura holt bearable yes chick flick show watched went see second day would go another also straight guy problem whole really director cut documentary buy watch extra movie come biggest problem short unanswered maybe get fan original series definitely like movie still good mystery interesting give try great movie know win new sure ever goal first place nice update series history show mature level movie blow away leave wishing sweet end clever fun engaging series movie exactly supposed love letter everywhere good mix humor intrigue noir grey something would much already fan probably epic bloodshed happy part collection absolutely love simple old fashioned entertaining film good story easy follow good win bad lose film beginning middle end like real story gave four fun movie watch felt show needs come back miss kicking interesting plot thank rob making movie worth wait worried would unrealized movie met needs inside breezy plot original tidily quip perhaps next one engage new wish stop periodically explain husband fraught full meaning idea mean probably film right could watch least season truly tell movie really give much background basically assume know history wish mac could used think film like two v motion picture bad thing necessarily something think people new might view negative bit rushed mystery film result fan show back forward time done story line fan show like season four much better season although really short took bloody forever get also glass aside great story obvious everyone involved put lot effort film bit shame likely never make profit glorious thing never need justify team hollow souled satisfy people accepted put shut challenge think got worth excited could part opening weekend show love new movie town showing opening weekend came watch count ticket please got see new release couch big bowl popcorn big screen better take get long wait really worth old cast entertaining would definitely recommend movie especially series good movie used seeing whole season worth went kind fast everything still enjoyable show like one forward movie disappoint although admit cut ending overambitious somewhat false feeling great acting story felt like nancy drew mystery like watching long episode show course leaves hanging enjoyable glad rented entertaining movie little long go classic movie unbelievable premise still worth watching one time fan series disappointed movie wish would make another series hopefully another one follow ended abruptly many loose love everything much wrap hour half fan television show really enjoy movie meet approximately nine left ca eve th year high school reunion cusp stepping fully embracing brand new life new york city pi life completely mirror unfortunately fortunately depending perspective universe back big case back home almost everyone old series back think might enjoy seen show would recommend seeing show first least one season seeing movie another related note thank film made without fairly good movie good acting story line except currently sad longer item second favorite episode ever series love movie brought back drama humor made show big hit hopefully see future took long time great see back still power see gang future could get even better relax new era feel include old watch wife actually big fan house seeing bell easy eye watching movie basically longer television episode set later original grown watchable entertainment sure never intended compete fan probably going love movie much keeping style original television series one much made pretty obvious look forward drama come entertaining glad life great movie cast fit right back ease sequel movie like manage keep original cast wait see another movie movie many former high interesting see struggle temptation let pull back old role pi return new stable life however director show creator rob decided something risky rather wrap unfinished leaves open season season successful great show continue left hanging every movie based series turns good bell remains interesting part series movie quick wit pixie stature ribald humor movie fan enjoy movie plot movie series crime later solution enough finish whole series ago character great female role model teenage young adult set smart resourceful love good detective story super sleuth felt kinship character could totally detective watching vacuous reality back day watching smart girl kick butt solve movie fun watch someone series probably someone watch vaguely story fun see movie bit anyway would watch next one made one see love live together also die clear huge fan show thought shame one strong female character made great type wit always ie buffy vampire slayer movie disappoint thoroughly entertaining way spend couple seeing later suppose unlikely really hope another movie fun engaging bit acting average definitely worth watching great movie thanks great premise promise compelling character far beyond teen dom three well chosen cast always felt exactly right sudden departure program left wanting something bit film provided nice return imagine better way gather gang one last satisfying show entertaining worth cost time acting good plus music first rate bell plus part watching series movie still catching love going story would recommend seeing reading episode familiar history seeing movie interesting would better rely acting remove crude humor bad language would five wonderful see many past get enter world story good great four movie good series left wanting would love bring back series spin taking father business would awesome good movie like wonder new show movie let wide open good movie well limited budget nice movie well watch like show abruptly nice get watch series wrapped cute movie great movie like show cool another one way really know consider fan waiting movie stayed late stream midnight say good job rob gave us great fan movie wrapped nicely good ending comeback could done without swear especially one f silly said cameo really funny overall know movie create new hope enough us movie us thank big fan television dialogue acting superb story interesting fortunately said movie fact even better ways series bummed success movie encourage anyone whether seen series watch movie super fan series full say thankful finally got closure story line interesting fun return many reason give five felt little overall tone series always dark still show funny quick wit hilarious inner dialogue wish bit overall great ending incredible series movie hear word said party due music forgotten except love brought back original cast stayed true original story preferred ending finale good show movie seeing old show grew got older jimmy good smarmy deputy thing thought less chemistry two main movie long say disappoint movie feel series great see many former show even cameo film really good see original cast back aside plot murder really movie especially end funny enough series saw first advertisement movie glad watched brought series closure felt bit let last series episode came right time love good mystery story main point view great highly recommend confession make exactly closely guarded secret love watch originally fact start watching former friend convinced watch watch three less three thus love hate relationship hate ask could anyone hate show easily like every around fact get true ending show campaign movie joy along every sat waiting nervously biting finally movie soon march th rolled around nearest theater sat discovered dick mac total cliche write cried fact laugh lot inside fully appreciate unless watched show great course love triangle course love triangle waiting crying one moment made want refuse post ruin anyone seen last scene oh movie definitely worth wait rob us let us boy ever make good promise fact truly negative comment movie left unanswered time one mention even idle gossip year reunion yeah weird mother mean away neither tried find maybe longer care weevil backup take sheriff finally man must little also lack sequel even show possibility even enough action keep interest plus show summed right actual movie still able watch understand highly recommend watching show first better understand show fact brilliant witty show highly memorable many lucky enough get fan funded movie find movie local theater also available digital yep bought well even seeing theater really good leave movie mac new expression first deputy mustache weevil surprise revelation reunion let go back van van story fact ex live away yet somehow still number phone great pick last television series left pure enjoyment would recommend watching watcher fan really look future show disappoint one bit overall fun jump back seedy world always lie beneath surface series like film consistent show found movie entertaining fun sure many insider joke get since dan series feel left story smart fast paced think left door open series return sequel future fun one watch lucky make money pick network thank whomever came idea digital release may seen otherwise fan series movie feel show much felt like show continued well still felt like movie look like movie good job wife put list watch could good one flight week series brought story strong character young lady far movie continued character good watching show prime ended watching movie closure story show ended luck secret society castle one character sex tape last two show none instead movie mostly goes back high school part would suggest watching show watch movie like movie entertaining like begin lot movie spent explaining un another good chunk movie spent catching nine year absence satisfy show think nine movie seven reality leave much plot plot besides point strength movie original show deep complex far perfect yet somehow likable movie entertaining gave four rather five think movie stand without show said would like see another one made thirsty always great see favorite good job film quality rented stream good one cult hit big put us binge watch consume passion admittedly never watching even watching next top model time spot right never knew gem missing watching hooked witty smart strong vulnerability underneath help surface every best mac amazing people would dad private investigator public works dad receptionist much private eye work dad series abruptly third season season year high school show last year campaign raised enough money bring back life full length movie movie digitally march th happily rented even though hit movie great fun see old grown back action always little thing romance although dating goes back still high would back picture soon investigation typical accused killing right away prove innocence old sheriff lamb even disgusting older brother oh police force suck bell bar real life husband cameo seen tried get dance laughing hard love wit little slow often ended much rumor movie going produced story epic world get leave ring declare victory expect wow expect really long episode love show glad could watch watched movie left feeling something missing think saw old get much time movie essentially would full season mystery condensed movie filler mystery week gone often best character heck first kiss mystery week would preferred time established left never anything show originally lot movie thought proved correct best bring us ten later last left last seen meet could tell trying hide early bell pregnancy way way dressed frumpy woman late thin still great actor wish time either see yet different question built mystery around one character whose portrayer return leighton busy nothing since gossip girl ended guess end movie wrapped kind ending like loose tied left notion direction going sequel novel nothing make future oh listen say uniform tops green sweater puka nothing sweater someone came recently excited movie seeing old gang come together hope future gave four really imagine selling five someone seen series definitely stand alone star move think get need seen series bell great actress perhaps best narrator never fan show may go back watch series movie compelling saw series show father daughter relationship said little sad departed say lot leave early liking admittedly glad get back together old crowd bell involved good guy recently graduated law school verge job prestigious law firm drawn back ca one time bad boy paramour murdering pop singer oh th year high school reunion better judgment turn presumably help screen defense goes digs crime thanks fine written rob also directed snappy ever comes one outside murder charge navy lieutenant best friend dick still key murder always glad see moral compass familiar likely swoon movie even like son good time series put nice ending story wish series would come back would happy cost downside like longer old series like movie would given anybody watch excellent show would clue going movie supposed care fan series great chapter everything made great lot people say good way wrap series ended truth watching feel like rob show intend continue series without television saw night sneak preview group unexpectedly second time around film much without rush preview night could really pay attention going truly mystery intense audience genuinely job well done rob would rather series continue limited film end ever incompetent warner witness train wreck film part great content legacy strong willed capable amazing yet fallible lead heroine hope crowd venture capitalist model allow work outside studio network cable company system one wish could female lead whose must involve tormented relationship ask team team simply respond nice follow show fan love show movie interesting fun made smile see movie guy money raised also movie day said best bet weekend stream movie invite bunch price ticket party good movie everything disappointed filled drama comedy mystery first hour little slow last hour exciting unexpected turns show able watch movie thought movie good overall thought pointless fan series felt mystery gripping unexpected first two show bell still great dick become much interesting character recommend watching movie least movie like show however wish would like old self hope another one nostalgic show movie true atmosphere show well done great see father purely movie probably entertaining predictable plot seeing old father daughter banter like never break time chemistry expanded little cute feel good movie ready number jump every time good see everyone ended although weird dick bit maturity although maybe good thing best movie good series know people never seen show could appreciate quite much dad move already sure please new alike movie great funny witty full inside want continuation beloved series also movie version series used take solve movie solve mystery suspenseful little simple comparison best compare every character show people maybe time spend really got remember everything great need hopefully another season really feel satisfied like got closure settle long series fan show movie satisfying future please perfect show like extended episode capstone event maybe get see day movie wished ended little better felt little rushed otherwise nice ending series still worth seeing wonderful see favorite minus later longer cute buy age still like trip memory lane bell feel sorry forever known one important frozen remarkable thought movie good reason give bought regular format found picture bit murky still story always let love remarkably subdued movie great series good movie looking forward next one still waiting moonlight rise optimist say give movie five really like fourth season side episode however give instant version husband half hour get sound play like series enjoy movie much continuation big fan long show especially since still quality writing old never view good series true form movie took back integral stayed within initial character received thanks much walk memory lane epic epic read watched twice nothing special fun nice turns toward end wish going bit closely movie satisfying much household however doubt anyone watch series would fall love movie third year transplant think merger perhaps team family eventually bought first two wit character development drew story reason imagine non would find movie best reasoning think every previous cast member involved project since one got imagine much easier let everyone play murder story went well true style many minor cast necessary however normal murder story would several even entire season left little time delve minor background story expect would anyone previous background pretty sure appreciate film fully fluff sure show satisfied movie heat smolder show somehow comfortable older decent great still engaging enough keep interested throughout wished mac felt little like remind us still exist mac really needs show watch fan disappointed full length film fan show fun movie seeing original older wiser still familiar sure would felt seeing first time many times inside humor remake show seen leave cold feeling like outsider still may many seeing first time taking look original show cute movie daughter father sort business dad educational success plot acting great job getting original cast back true original series fault movie like longer episode show great show bit different movie said would watch another eagerly make fun made seem like long episode done really well great story fan show really like never seen show likely still enjoy movie love came today would never miss episode never leave chance reading share honest opinion thought plot little thrown together example never really told military far fetched would bought maybe starting foundation military really also never dating bishop people death right last season ended least make st point anyway still huge fan hope see future fan show really movie spoil anything think stayed true story seem like never left high school hey life like high school anyway story overall really watch thanks bonus great long overdue movie though everyone cast grown director great job transition adult version teen detective movie good stand alone story lots loose new series making sequel still stuff show wonder like giving new york oh well overall great gang back fan really continuation story favorite time old least small role written plot think believable pretty happy end result great conclusion show felt like loose wrapped good job fan movie start small sexy sleuth great movie bad great movie brought great show good story line kept engaged felt like another episode v really enjoyable wife familiar series new convert watch older soon huge fan series low movie wrong rob director wonderful job movie shoot well like show written cleverly would recommend movie people enjoy murder mystery series like movie definitely worth seeing especially felt series finale left wanting movie carried series left part much since high school person somehow military leaves home keep anyway veteran navy story bit unrealistic one would murder without whole command knowing interest case even leave least seen jag disappointing development kept treating like criminal goes back old ways end maybe cannot escape especially leave home love sequel though good see old cast together see though disappointed would love always glad stuck love exciting great thriller recommend everyone watch fit perfect rent really movie watched television show originally binge watched second life soap network excited movie fan show may never seen felt like long episode felt familiar bell still intelligent vulnerable hard headed superhero persona supporting cast fit well made almost feel though show never really went away think story could little complex wish gotten little post high adult least little time beginning buy navy man satisfied looking forward sequel new show whatever rob bell good true show maybe little predictable really good lot original show everyone grown high school show series like movie stays true feeling series go wrong glad get movie treatment movie lot like reunion show bigger better brilliant casting dead best actor group next guy dick love dick snappy dialogue kept tradition array came back kept making fun decided series beforehand put watching movie think made experience lot oh guy heck lot like real class reunion ever one end care whatever case like care bell post natal weight awful nice price point extended episode happy series always guilty pleasure movie well done rob production especially master snark show first place rob cast disappoint cleverly series movie vaguely feel grown course focus relationship marked season series movie really focus true secondary dad secondary like mac make slightly cameo move plot forward much since movie show adult happen enjoyable watch fan awesome see movie finally come fruition hope series follow film basically season compressed full length film great job gang usual awesome great rob didnt disappoint story front either also incorporated music beginning film hope go route like one great way show support great way us get cool behind movie also chance either get movie show idiot hey people actually love show stop good content gave instead though really enjoy film sure much non fan enjoy beginning pretty good job show time least dont feel movie good job attachment came watching show movie alone understand kind way feel may get much dont see show first great movie still good arent familiar show recommendation though prime havent seen show yet start season know finished series finale site film speaking die hard fan watched series literally sort continuation thought never ever see movie certainly one biggest life remember fateful day first saw news happening huge success pitch anticipation creator rob kept rolling magical feeling doubt ever anything else watch preview clips time course eventually march finally came traveled back watch saw night came home theater system even watched series finale beforehand fully prepare twenty film quite like television series yes dialogue pop culture set hyper speed felt little different actual series switching location san la main culprit also must mention production felt completely different episode series full colors impressive camera add unforgettable dimension world one fell love show movie leaves element everything straightforward visually speaking fine sorely though also little hard follow especially casting mystery quite intriguing emotionally compelling defined season fact little convoluted rushed make included seem true core nature whatsoever know care love glad movie may rush parent show happy everyone agreed participate proper resurrection deserved public lexicon course worth every penny world already favor read thousand dollar tan line new novel next chapter life movie based original concept movie wonderful great emotional like show every bit good season one two far better season three mind seeing show would certainly watch movie little slow time action said entirely entertaining watching show creator rob back many original show movie get see grown since high school movie always bright well way becoming high priced new york lawyer plea help past framed accused murder course everything help old friend investigate case father pi town ex sheriff result fast funny intelligent movie hilariously base faithful original best show seen show watch get sense story line watching movie way appreciate movie even highly great movie add series hope come great story family movie series well ended none go fast love excited follow movie show disappointed glad see entire gang return correct movie another without cheesy guy excited see rob make another movie disclosure entire series last month movie full fan service works pretty good seen series good job setting back story viewer people introduce problem film felt like whole season hour movie couple side story end abruptly left hanging never much better long series arc still pretty damn good great see long time ago show like movie miss beat clever witty used quick wit series many back thought normal first hour final really made wife almost couple times unexpected thoroughly much fun brought back well glad us movie true however imagine someone watch show review would much lower love letter wish written directed rob bell television series ran may starred bell sharp witted teen detective bell absolutely fantastic role surrounded fine cast put money mouth throwing million fund movie version via film lot despite somewhat thin story line miss beat endearing cast back great see hyper stoic although little doubt get go innocent would seen favorite supporting character weevil non get faithful already demanding sequel one time deal farewell tour giving private eye life bell way becoming lawyer celebrate great interview someone went high school found dead ex accused go high school reunion help clear name old life take forgot exciting life investigator start saying never seen show sure expect watching wish seen show two one little back story character two really would really enjoy seeing someone fan entire time probably really love people like never seen one episode also really enjoy overall funny exciting fun watch recommend give b satisfying movie know non fan would enjoy good part movie get see many done adulthood weak part movie movie wrap felt bit rushed movie tried accomplish much short time movie picked nicely show left us however mixed ended movie love watching movie though know true labor love everyone involved effort must taken get many original cast back movie time great show great movie rob set make movie think truly accomplished huge fan show great return visit sure mystery overall plot quite thin truly worthy big screen movie think main goal movie seeing much worth happy grateful cast donated made film reality last see gang sad content got give proper send deserve think love particularly satisfied sadly never watched nothing movie would draw watching felt like mystery would made great main plot season show little plot could spread several instead couple watching series well enjoyable watch would recommend series television show really movie extremely excited see movie available rent streaming still since get much small child double excitement watching excellent fun film comfy sofa pint mint chocolate chip ice cream yeah non follower movie probably good continue develop missing seen show interested movie actually forced watch one fan suggest show first saving movie finale first half one star review people watched show casual right count love show movie good get wrong lack writing overall screenplay story line quality shabby fan show movie basically idea really much movie feeling show reason like movie really series need fix best ever fan eat admit know want watch well written consistent show good solid mystery nice call series drawback plot resolved film rather follow book fan series obviously watch movie found true original story line fairly similar even though narrative first explain plot movie would probably get lower someone watched series would far rather received third season blame original producer movie good gave big smile really need fan truly enjoy think done coda story enjoyable got money worth glad got see right away waiting next one please hurry team thank everyone donated made happen sort spoiler night job never able see came miss prime binge watched got caught story fact resolution ending speak promising career pan everyone else close movie clear loose glory make angry bring maybe raw little older somewhat wiser still girl woman could see possibly sequel door open new maybe resolved could life thoroughly movie show enjoy movie well one thing already know miss go watch show first worth waiting great twist turns cast chemistry still awesome rob stellar movie whole gang back together mystery nice throwback original cast thoroughly watching film hope continue making learned lot video inner motor would recommend anyone work motor watching video covered lot material concerned amount left red shown application maybe cause see video presentation new engine case sealant left wondering oil leak since sealant really applied well minor really otherwise really presentation watched late night fell asleep times need go back watch see overly critical nothing cartoon growing actually made purchase one quality great disappointed good clean humor recommend young young heart good price original st season best cute cartoon everyone although seen second season give try directed toward season one provided silly laugh end stressful work day still goof work little jane young ever still love struck still second favorite dog course rosy robot air time new pet part enjoyable ended evening relaxed smile first watching episode star trek well growing know big difference feel picture quality good would think show would look better transfer show clear crisp nonetheless glad came could put collection save us money like first second season could done complete one package still glad often st century would like still know future would like also said well back whole new generation cartoon show brought spin massive success like robot mob funny full life sadly back fortunately came back whole new generation young old alike much dynamic full life ever great finally coming season volume simple strong reintroduction first family st century collection classic entertaining great deal excitement whole new generation beautifully great reminder made special collection great like featured debut lovely adorable suction cupped alien asteroid egg brought home field trip cosmic courtship jane jane tell tale first got together accidentally anniversary fell love finding marriage ceremony legal person wedding ceremony notion family goes las get married also family family go game show big little know family crew cartoon back strong trip memory lane well also well behind reflection made relevant entertaining season volume pure delight anyone classic cartoon series well interested like fairly nickelodeon watching happy back whole new feel like went orbit young heart hope great available soon series price b b b gotten set year old much fun see many become everyday since also would still awesome future thoroughly season volume time favorite super pilot never sequel series super wish special besides short program length documentary audio commentary least first set waiting warner release rest nearly much impatience fox continued procrastination king hill season onward wish would dictate decision skimp limit future product realistic view real h football team works son really watching show currently might find interesting however show given lots interesting never even thought one interesting twist show project runway end goal become interior designer topic become interior actual taking viewer part competition done unit probably completely lose interest topic however gotten interior design bug awhile probably enjoy show great introduction working bit far goes information well worth hope put much practice near future well worth intend came video handle bond get feel like dislike work every first time llama alpaca owner watch video wish longer covered learned several useful llama handling video couple could really use animal shearing animal toe trimming llama maintenance regularly untrained find stressful video beginning touched neck even brushed moving intensive handling shearing especially scary like belly tops holding foot toe trimming needs additional keep llama video leading leading loading vehicle brushing would interesting know handling last seen trailer film unable view live canada would much like screening film support work fresh voice film making contact st n r n city canada must say informative documentary always interested good service lots fun great tour try take ca hopefully come weirdly interesting took flyer appeal interest dark side history perhaps extent anyone interested history generally host car around goes detail grisly unfortunate imagine material plenty husband interesting type thing probably watch one time anyone dark underbelly celebrity fame certainly enjoy documentary movie looking forward seeing subsequent film six skelter near future enough learn justify purchase carburetor service done carburetor bike carburetor detail real world tuning testing best feature comic odd interesting lot film good job gently prying open shining little light inside giving us peek wonderfully quirky human used front rock band genius henry funny stand comic eloquent poet g act born scream believe artist scream scream scream sincerely stone wow far best survivor ever really beginning end disappointed survivor definitely worth every penny season tough interesting see form come one episode next keep entire game really dynamics favorite bobby negative thing would last episode live reunion show min worth four nice give three half really season mile hike see better camp great fact team get better first survivor axis evil sticking close word cutthroat line show go dear hope get eaten firm believer unless star show previous business coming back bobby made far people seen knew go tribe pathetic aka perfectly good cut odds two misfortune tribe nothing really season like sue kelly flood fire outback cherry gate nothing poppable season forgot mention review need add show survivor talk show shown would cool buy complete collection make one come way later need buy minute going insane made since dream crummy made series excellent condition thought good buy glad buy package read watched every episode looking forward seeing everything uncut well disappointed thing partially uncut language get uncut still cut let like get see hear uncut language uncut glad reunion special provided unlike flavor love season get reunion another disappointment make give would given new york twice aging flavor gotten show chance find love well get sorry must gotten tired lonely cold nights come compete feel sorry one fan love dog thought tiffany pooch real long thought rick dead pack heat turned closet finally chance boy really tango drama put shame picked like idiot would marry girl twice plus deal loud point one good psychological thriller full clever plotting well intrigue point two part huge lifetime opus work beginning savor enjoy lucky main point beau every movie time yes love brother jeff love jeff secret two decided charisma beau would stand smile would win could watch three grinning lounging around affable feel like time well spent transported back civilized era add mason casting angst everywhere got show ever want see magic action movie first place go tha man gymnastics crying loud tie without missing beat please enjoy former student beau old catholic prep school ten time new gym teacher reese free spirited approach sharp contrast dire mood especially sour teacher mason journey center earth reese quickly dark secret among reason simple dangerous brutality reese w kindly reese solve mystery behind almost ritualistic violence get truth someone meanwhile mentally disintegrate child play deceptively calm film full macabre atmosphere sacrilegious imagery fiendish finale perfectly bleak disturbing late great prolific nothing full nearly every genre pure making smart storytelling psychologically mature process produced hatful late th century network dog day afternoon angry men pawnbroker murder orient express name child play comfortably second tier body work notch well famous wiz critical care mood photography subtle darkly alluring script based successful broadway play properly enigmatic astute given subject setting quite take hold overall tone thing precariously high academic theistic drama wonderful scenery mason visceral mystery horror nearly every frame bemused beau rest supporting cast appropriately fit almost though unsure commit hint effect narrative dilution still though entirely satisfying dense nicely piece another impressive feather sizeable cap movie shy olive presentation clean anamorphic bonus saw broadway many ago film good intense play mason good olive ray release nothing special done restoration source film used transfer decent condition minor debris scratches evident occasionally throughout notice major damage audio would lower budget film era film nothing special done enhance major either size decent home theater sound system video audio would likely gotten average movie theater film run number times bare ray certain would directly related specific movie given age one lesser works overall rating movie much ray video audio quality acceptable nothing brag directorial lengthy starting angry men successful also stage play director number stage film among lesser known little pearl thriller limited number greater emphasis versus action making cerebral psychological thriller principal mason beau turn excellent mason particular setting catholic parochial boarding school high school age ongoing growing feud two long time joe mason junior senior respectively supposed retire cannot bring take place becoming paranoid deliberately drive stress bedridden mother terminal cancer enter brand new young gym teacher reis former student drawn feud getting caught middle compounding growing number violent among increasing frequency intensity resulting serious evil school growing strength spreading tension gradually unexpected climax end overall good film attention great stuff familiar wholesomeness music man familiar body work great villain amazing much havoc took place simply little girl decided go somewhere little long little known study pervasive influence evil within catholic school suspenseful subtle eerie film primarily showcase superb performance fine form much teacher athletics magnificent worthy performance mason much unloved teacher seem within shadowy school within screenplay hit broadway play mood atmosphere rather blood thunder horror cup hemlock find child play beautifully directed satisfying brew indeed long last available unfortunately unlike one never seeing play original cast boot admirer weaver pat hingle seen film find hard imagine two fine much chilling effective moving mason distinct pleasure seeing mason broadway faith healer blown away power performance less effective child play sensational many would respond bring interest way know much precise accurate see anthropology found validation myth legend express movement sign language music although video exact provide learning disabled opportunity start process learning use communicate fun time board certified music therapist used song sign lovely singing voice would great place start summer finished first year tech summer job video post production company major summer included building video switch old film cleaning machine first digital video tape recorder machine remember correctly transferring film millimeter print pay inch video tape ostensibly cut media present finally actual proof film awful anything wood ever opening credit sequence like bond film really nothing story even mention name movie left title card voice end first actual scene seem timed randomly sometimes editor forgot scene actually ended leaving viewer empty static frame action long ago departed tend end abruptly leaving viewer bit lost thinking something missing story psychotic impersonator goes rampage killing local impersonator turned newsboy possessed ghost save day save day bungling incompetence antagonist ultimate undoing case anything movie actually good name never fear single song performance thing like bad something miss actually movie fun share apocryphal piece personal history morality message look movie one leave feeling satisfied movie fast paced sense tension way going scare story see young people become serious mission mission help hostile country get movie leave lasting impression watched movie two soon always thought movie sleep something brag many put sleep boring poor quality realize film supposed make sleepy decided watch trailer peaceful sleep middle day see greatness sleepy film genre sometimes hard time falling sleep night film solve problem going watch night feel restless could also watch sick sleep could play want go sleep could play baby go back sleep think film since serve many convert film sleepy genre video meant total already times may get much video like fact video made humor lot attention also affordable well worth affordable price run time hour meat video around recommend think would help much especially content would useful first times video substitute lesson give head start go depth technical exactly control edge much edge person grab change edge highly recommend get helmet hip pad overall video watch interesting video would like know instead lame pick type fashion interesting informative h name earl classic tale much learn fun watch boring day really dig earl concept ignorant white trash hero supporting fantastic season one great well season based partial nudity sex shock much plot humor like see show remain popular great writing fairly good episode first afraid one cheap collage clips past show episode based description new content worth watching good good writing concept get much air time love watch name earl great depressed sad find funny matter many times watched feel bad want stay bed put earl day second season little far away earl list onto unrelated still lot fun season lot season pretty good though good season say pick season series good laugh two would recommend people good sense humor wife really show goofy funny moral bonus good condition time love show season got best season show son watch together much everyday item shipped promptly exactly ordered person gift watching recommend item like watching name earl movie many interesting watch unless fine crazy movie production quality say however good nonetheless ending wow say yes gave notched one recommend though talented like interview well pretty brown say best song ever love super talented entertaining entertain thanks good suspenseful story guessing eventual outcome good look place many us familiar think cool short film really help movie go long way w performance movie mother dying explosion yet buried body perfectly intact much burn anything based explosion think ash would remain body would least badly case ending raised motivation two behind entire thing merely money torment murder lead character also question whether responsible death beginning film event certainly put lot effort stalking tormenting character also another question ending revealed actually mother come back haunt rather two come one else ever see mind actual spiritual dead mother returned beyond mother body removing casket back end quite raised though movie made going along make sense one big con game murder conspiracy revealed end spite movie fairly decent seen plot become rather apparent good movie like family lost daughter forgiving took little girl lost father massage may gone going thing movie also father love daughter due willing make even life part movie moving must see movie movie pretty good humorous turns understand emphasis box main pretty like remake sorority role big enough show martial art prowess acting bad except dude female rock second die lovely dream erika siege fatal good teacher dead drunken pill mother leaving sister amber go diary thus story life death scene rich boorish jackass husband married order someone look disabled daughter miserable affair w best friend looking way dull nearly loveless marriage thankfully perfect hobby w high garage arrange little accident old work right away making surprise lunch hubby hope plastic thermos ka boom collect fat life insurance policy funeral quickly lover boy soon bit complicated back present amber far well second die drama thriller great vehicle also nice anticipate worth watch two erika thought finally found happiness life poverty abuse marry happiness short lived invalid daughter trapped full time caretaker leaving million dollar life insurance policy first time worked great tried froze computer favor even try never problem unbox always fairly quickly never locked computer complaint need add seven eight great service since anchor bay six eight place get come give us silk wonderful introduction iterative process script well written conceptual detail material hand aside reason four delivery material looking screen constantly next line delivery unnatural despite great knowledge within movie may picture line never fascinating picture plane quite different matter since video save lot time got washer back service little effort picture site clear item perfect match made wife happy izzard minnie driver terrific love intensely moving also positive portrayal child ever seen made though whole show yet know going bummed good show interesting story line bad finish whole season show funny interesting premise live someone else life suspension reality believe long con could continue like show series see people live culture stealing gypsy life cutting back bill prime watch various one great wife season funny interesting time certainly want watch turn dark could fun watch somehow hear word series beat well done excursion world nothing one appear purport well written well audience good series person easily take another identity live life luxury probably series many rip fun fast moving show different kind family kind wait watch show nice watch kindle watching series may find comically authenticity life pop put popcorn enjoy good show far lots immoral ideal probably funny like idea stealing dream country brit lens found chance interesting acting terrific bad show got cause tale happen scene accident take rich entertaining see overcome order pull love izzard good see straight acting minnie driver great also supporting cast run mill comedy wit watch several row major test comedy half hour seem entertaining watching several show row major test one superb thought well done wish still air minnie driver convincing great series find thanks amazing price quick service hope get second season soon interesting story line great acting funny sad suspenseful eddy izzard minnie driver especially young believable first little slow show really picked overall like would recommend always intriguing even half crooked riches everybody better look watched series good never show upon instant video unfortunately victim writer strike ago never finished great show shame series survive watched entire season yet far like series potential golf swing needs work though little silly times interesting story white trying impersonate upper class family challenge make father become lawyer believable quite met good acting stunning minnie driver riches recent show watching one question world could cancel people watched premier riches ever watched episode shield rescue also got one creative ever seen show around family family modern day today big day matriarch family jail serving two year sentence big party thrown well family seem family forced leave camp izzard going empty handed though leaving camp safe substantial amount money road run another family camp oblivious going take long realize something right confront take big highway chase chase passing motorist wife man woman shrine rich way new home savvy lawyer made fortune expense day new wife run also moving away everyone everything ever known move new state new house bought thanks paper work car quickly people going time stop traveling country settle nice normal buffer living shrine along try adapt family family wealth stability show amazing many twist turns well written outrageous cast important promise never seen show late available according izzard show creator currently working full length feature film want something different crossing comedy drama action say riches attention good writing plot tuning tech quality good season prime great show ridiculous first halfway husband hooked even though agreed intelligent people could long also would never like immoral point comedy central away style instead rather classy paperboard display case get standard issue style jewel case assume old looking keep collection sort consistent order might need look elsewhere keep getting love season uncensored review care enough show read probably seen entire season say care even point charge list sale ridiculous unfortunately keep free market argument ie charge much people willing pay cartman would curse making lame little speech removed extra pathetic love everything uncensored even love episode hope trey get flowing south park dwindle past couple except south park leaves nothing sacred love considering politically correct society become everyone offended easily south park face religion political sometimes people enough courage plain dont give enough tell true story behind many society satire great job show disgustingly true entertaining item extremely entertaining fast exactly wait give person present see reaction know bash post south park honestly miss know secret saying curse opinion think show done fashion ten previous uncensored one put two audio going uncensored one uncensored second anyways season always hilarious worth purchase wish could choice audio disc fairly good season although fantastic easter special funny run season st half technically speaking transfer great even though way short always entertaining make show much also case version much uncensored version show choice watching south park without away comedy edge south park season us alternative version audio track believe trey parker stone still able churn new constantly done nowhere left go put new episode mind away opinion whatever record make air broken south park go buy season immediately well husband pretty big south park say season good given star rating like couple dodgy either arent really usual trey standard close mark bit offensive majority excellent real side guitar well done trey please ignore previous review person idiot high quality hit miss affair solid homeless guy episode becomes episode wait see second season oh maybe watch show think way trying buzz show ago addicted enjoy tasteless barred comedy make squirm seat fall floor laughing show right alley show nothing common funny totally different akin always sunny anything else air right reason alone worth quite funny girl show disc meaning rest cast quirky yet smart delivery hoot real breath fresh air sure make show simultaneously funny deeply troubling guess like found immature annoying usual episode back forth one make laugh hysterically every time watch scene mart know anything famous jimmy song ben small interview made think may actually hilarious female comic much better woman man seeing show low price figured would look see could make laugh yes show like way nothing never like never program watching many come sister live place gay dog coffee shop people call phone dead rest funny little story week go around think top female comic world today check show ya want wise reading go away liking show much like think funny gal like show show full potty humor good wall supporting cast since included season set unless price little wait see season two awesome gorgeous however comedy central becoming like excellent serial seen show stick main story arc slow focus supporting far slow interesting ride ending season one thought spot nice direction take story interesting take could happen government must vigilant never gave star due occasional foul language good show little still interesting though provoking suspenseful want see rest total two see last season know unsure quality show however watching easy get hooked lead although th episode still trying figure show really suspenseful show move slowly watching show check new kindle fire wound getting hooked show watching available watched every episode beginning think would show like story line difficult follow miss fact randomly selected one show watch probably would thought ridiculous turned would recommend show anyone doomsday instead get half sit great series wish first two sad basically night time soap opera several give stellar war bit long taste husband show mindless break day pretty good series great attractive series subtitle except story much review beginning one entire episode total review almost stopped watching episode nice pace however see getting old quick plot change something move outside town national episode somewhat similar problem strife town comes together solve really undiscovered overly little gold nugget program enjoyable interesting watch tired regular little find season entire country nuclear attack townspeople like soap opera also linear sequence slow build clean artificial like according kind scientific study make series right instead passion storytelling entertaining show watch til end good enough keep watching least best thing leaves curious going happen next review add star show better around middle season way end season pace becomes quite fascinating end wish entertaining enough naughty behavior keep interesting really line bad mixed lot great series season two rug would series love first season suspense curious traitor keep keeping close eye everyone really stop think really happen world would interesting since community found liking binge think could get good story line going live backwoods well put together thing could little realistic last chicken family several plentiful made one chicken hold one interest worth watching like watching much look forward new episode small town together time disaster lots turns entertaining series could better lots blank time sure could show go history great show streaming distraction trust going watch via prime free watch least first episode two see enjoyable becomes bit predictable times overly sentimental decent entertainment husband enjoy watching evening prime via watch want watch series pretty entertaining nice compare would versus town done show kept watching episode episode great cast well good acting show made think state country story care actor convey character another actor would concept whole apocalyptic first see nuclear war like time rethink protection update civil defense one best drama series seen always good development interesting whole story everyday people trying survive big brother feared many today tired reality need corny overall pretty good show awesome program told hooked shaved watched every episode wait night enjoyable show watch far fetched acting always right remember far kept attention well normally go apocalypse worth would put effort think good show still decent considering hard watch childish people get disaster complain steal complain one rising occasion everyone yelling brother father sister parochial wonder series two mirror poignant first episode narrow minded mother mayor knowing like fact jake dad mayor know still alive luxury think cry worry oh mother supposed yell mayor good mother instead bad mother bad human heedless anyone ego obviously even care trying help yelling hope someone redo series need see hypocritical parochial ill prepared assemble think crisis always someone else handle always uninterested big picture uninterested something always ready blame someone else never paying attention always cool pay little attention school bad run disinterested anything one narrow circle supposed virtue yeah get bad series really war dark lesson never learned know music totally odds theme series hence four remember seeing first caught random episode never home recently watched first season taking advantage prime membership stream kindle fire st season need watch rest series see would recommend anyone suspense w great show wish watched sometimes good time goes great series story line riveting good acting character development good bad series see ended pretty good story one thing like around different time fill previously review show well fast paced exciting still watching continue enjoy episode enjoy blend tension everyday life solid plot background kind mix one question heather jake trope first season opinion best television ever made second virtually unwatchable show like picket road warrior get small town dynamics family lifetime history keep getting girly whole post apocalypse thing going likewise moral people must make correct action take action end ambiguous like life struggle moral truth history small town almost compelling struggle survival sure intended series powerful endorsement federalism strong city government order federal state collapse fact city government large part small town history history us anything human society surprisingly resilient like great fire great san earthquake destruction society short within month life normal social law order return japan despite general destruction nation mass hunger society less u country plus geographically huge think atomic would result complete destruction society plot saying middle nuclear fall due unique weather still would suspect left united would mount heroic rescue effort isolated might take couple whole terrorist really add anything best show actually corn u edible grown feed livestock turn corn syrup suspect would lot hunger realize tornado country found number people backup stockpile gas bit unbelievable overall get past seem unrealistic especially first season good network television sad went air glad able watch series thanks pray never happen us pretty good picture happen nuclear event us enough action took long got main plot going way ended finished series wish next big thing series prematurely great thing show human dynamic occur people forced situation leaves easy great reminder possible least great casting whole family really show disappointed season far better season really good series see season like hope wife much prefer streaming watching original detest proved entertaining thought good show good suspense excellent character depth show well worth watching never saw good series great story line great plenty action suspend know trust trying keep order must fi thriller plenty action see series people may react nuclear attack present day civil war within united end world go quite well lots side interest really program case great job watched two week period wish would watched series plot better bad next cool short lived cable series also fringe another series really good series great story line wished finish series watching first season way series suspenseful insight potentially fragile infrastructure often take move daily pretty good series many get attached typical disaster plot enjoy show like something could world big company show like series young rushed end good ways would bomb watching fifth sixth episode television good see something would find fault people charge slow realize need nationalize everything way survive get touch canada perhaps get need make cooking everyone everything longer work get charcoal grill small side conspiracy drama show five thought deeply would given season little slow first much interesting first watched twice really second season really getting see ended ended good onto accident one afternoon watching pilot drawn right away quickly wait finish series little slow camera work really together fifth episode hooked forward watching next episode well done except flash necessary recommend beginning depth chemistry many turns plot watch episode think going happen today love know series episode entertaining suspenseful since day tube may written quite interesting look back enjoyable show contemporary good acting chose play infiltrate seem believable least yet episode decent show way around clean enough far older watch well bad season great show wish initially could three near end bit annoying similar similar walking dead without first episode season one engrossing following gradually lose original intensity series remains entertaining new regret beginning watch series continue watch much like way believable feel though part circle selfless selfish one plot riveting truly dislike sexual content distasteful nothing one like much show pretty cool back kind pointless sometimes overall think well written show actually pretty realistic recommend thanks offering show great show whole plethora interesting really like interaction town surrounding area many different city city farm city family family leadership city even family long time really interesting watch play thankful watching long season could see show could possibly happen although pray never ever well wondering two wish could little depth hope find good prime series enjoying kind scary something could happen human nature way people would act realistically wife watch much television came upon series watching couple hooked entire concept series intriguing acting decent watched way really worth show fast end happening first episode picked kept going town continue living great show concept good execution people small town mysterious cataclysmic event society several different trying figure restore normalcy keeping peace nearby enjoy dramatic survival probably enjoy supposed would put similar genre lost walking dead although think anything quite quality well engaging character interesting part play story reason gave felt drama getting little predictable repetitive first would recommend sure two best thing seen awhile would like see come back cable network show sometimes want write comment would like quickly pick star value please change hope agreement change give current interesting story line something serious think survival unthinkable situation however think town taking situation way calmly choice suitable think great show really watching warn worth watching need starting new job series hit back caught episode two thought premise intriguing time catch thanks prime finally able see hard time early season enough cool plot get excited see next episode end season able connect hard time watching marathon style definitely let knowing halfway season like show think well reason give much higher rating small town kind person tech support small town written episode lead use expensive rifle pry bar repeat going happen world came apart best way supplement food source going destroy big city stupid great premise solid story line wrong tech advice wrong small town teens would helping causing trouble small put attitude world ended largely trying find wallet part season one actual end chaos next immediate aftermath like think anyone kind speculative drama like much level lost much right starting series cut short ending kind fast furious unlike many series cut short wrap end advance warning get involved character get cut little bit short end world pun intended well series likely appeal like king stand current television series like revolution surprise far better apocalyptic series season pilot interesting enough get watch another thought series going cup tea friend continue glad somewhere around middle final third part first season get interesting enough watching second season one main actor first saw pilot walking dead favorite series right talented actor difficult role flawlessly fortunately nearly every episode series main protagonist skeet bit less complex small town derelict home role hero well going finish soon awhile goes flat guess reason halfway second season engaging fast moving suspense drama like dome revolution good acting watched far excellent video quality love series good movie day needs survival real life mash cute looking good guy ought superman soap opera get streets always wet sloppy prop overly dramatic getting last unnatural winter funny since story line post nuclear society must carried see many outdoor like said sloppy really like bit slow times hope see serious action soon season something make end good start series without star cast dont think would much dont normally like disaster war humor always plus little romance much would take away story line topic current think acting little stiff first getting better nice entertainment especially nice free prime browsing upon interest like watched similar like working different fun suspenseful engaging show chance wrap one season instead left wondering nothing worse like rug find series network courtesy end properly lot screwy make sense character problem answer dilemma fairly obvious story always take hard way around plot stuff guess great premise excellent story line look forward development story season two engaging intrigue suspense marital infidelity marital fidelity post apocalyptic human nature action pathos ingenuity mystery trust mistrust fear strength bravado overly predictable corny overall movie guessing plausible scenario need give chance like acting good theme music harsh way many music right well cast act well know many show enjoying quit watching one three four time definitely attention well written script acting quite good well wait get end pretty semi realistic show would happen society nuclear crisis like way portray every day normally encounter show worth watching fairly realistic interesting plot reasonably good acting make think spoiled technology enjoyable show would nice able buy ray would like purchase set pretty entertaining investment effects terrific idea done cheep clearly horrific nature subject aftermath nuclear attack well thought thought provoking highest production value ever seen good plot acting fine go watching knowing show think could gone fine good series happening world scare recommend anyone good fiction believe air really hopeful make deal new per current good story well selected role bit spectacle may add fun good information people want prepare ready ready comes also interact military authority people know prepare series awesome great good job feel right entertaining series kept attention start pretty good character development show overly violent watching show feel like need stock disaster may lead way us like revolution season lost quality audio video great good series casting great interaction making show believable wish series would start watching show may times always left knowing want like another show would ending one would axed man still upset firefly legend seeker could stay away finished season great show great far plot create great show take away guess need make room many mindless crap multiple season interest giving subtle might really happening also writing situation seem believable end world several since debut show still astoundingly current plausible highly enjoyable well worth watch even hopefully make think would nuclear would survive show appeal vast mixed audience sub goofy music minute chick like drama keep varied series however cinematography like civilian airliner tried land road cockpit right technology used track bad use steam train insert dust indeed early unfortunate people affected radiation poisoning aftermath big stretch world conjecture would like current world reflected show one best like real life survival going depend know people love people doubt come love logically enough family show better survival take back superb acting plausible tragedy reaching government watch learn might happen city town farm learning nuclear war take time learn something enjoy show thought show interesting probe nuclear attack us seem far fetch seem unlikely hooked course always love end world watch season two alas end really good end world flick love way well good job show series ended soon sure watch see real good job finding great match show really fit well interesting dark vision post apocalyptic future keep interest sad th must see good show kept interested start acting great well done read passionate decided give try quickly despite lot plot able suspend reality know thriller works really well series thought would pleasantly quality acting character development looking forward season prime good plot believable quite suspenseful entertaining definite guilty pleasure series would recommend younger straight shooter let tell get town going shoot would leave show build well new whether long term brief way understand see keep going beyond first season say first watching series somewhat disconcerted went half town spend following bar scratching head really seem understand food life could go back old however second half season really series together much interesting start getting set first half season become even higher possible till season bang would criminal given series least movie finish still never stopped rather random thought days able revive last example remember glad success hope network series justice second season second half season like understand limited though story line got weird else would go kind event first season got kept exactly sure going go would survive next episode season read almost happen series season due low hate turns include people later amongst comes season viewer see almost entire season condensed agree story much faster paced little suspense season get wrong quite bit suspense almost forced said still love series wish would continued well thought series keep hanging suspenseful anticipation series sorry maybe would continued extended second season beyond people given chance like survival problem walking dead less like one mind walking dead without dead finished series far good show finished watching entire series pleasantly start show bear beginning acting early sub par series story acting get better nothing else season worth give series actually put watching show thought would ominous scary gave try glad subject matter dealt realistic thoughtful way found thing scary midseason year sincere believable chemistry whole group amazing please pick show first pretty interesting season interesting dont develop much could fast entertaining bad watch came fill fun show every single detail set script perfect easily look past really watching show keep mind people originally watched show convenience able remember minor may little overall interesting show like setting keep crises going episode watch want relax enjoying enjoying commercial free like apocalyptic type might enjoy watching prime membership speed time action bad good background story sad say could see happening plot week overall show show occasionally extremely slow streaming need fix streaming problem otherwise great interesting human character study day scenario strength continue watching end awesome show great pretty unique would made better even movie plot many turns often anyone would survive type situation know series show realize eventual success rate situation show next week keep sometimes watch worth watching hope get drama becoming unrealistic predictable watched first disk season one really looking forward watching lack violence special effects show however seem real situational aspect realistic enjoy watching series watching cast develop distinct time partly possible think enjoyable please add first start pretty bleak show rolling become almost irrelevant matter really new reality living without civilization need get without adequate food medicine heat plenty action clash various key question show remain moral right thing decide food whether take property respect generally handled well sides argument given fair treatment starting season sad excellent show last longer never saw happy see prime free interesting story think would really got since show know much caught year ago watched entire first season honestly say despite annoying dialogue character ending little quickly spring mind series definitely one enjoyable cerebral yet seen particularly inclusion stern series deaf cast nice touch character one though character somewhat romance times fact series show post least heartland would look would adjust much devoted drivel idol dancing extremely fascinating people real world think present day might create shape likely reason show last long air like cerebral hopefully though either feature film finally wrap rest give conclusion usual like love hate far good new plot keep always see next keep end please series illogical often fi great watch without interrupting series depressing tone almost stopped watching two three focus turned new life town interest different series watched outset bad guy already worst way pretty much whole country series good generally succeed stopping bad worst series good people triumph evil comes seek bring worst terrorist act history justice bad guy win indefinitely coming back essence think series hold aspect life reality evil often series ways overcome evil already solid season little watch worth watch good development action well paced something could watch time certainly something one could watch week enjoy interesting story entertaining nice end civilization story cast well series pretty good show great caught episode definitely worth try almost version falling skies light looking forward finishing series even though got mixed season great show wished would come back acting story kept interested enough grew time point watch next season see good action drama adventure type show acting decent good lost range use treadmill series enjoyable believable certainly bring stupid people nice see show soap opera set us nuclear attack competent cast story designed keep coming back watched long meaning original good show although predictable wonder town attack everything needs dramatically used e sprinkler system library hospital bomb shelter overall though good show easy get wrapped interesting view end times never watched watched based recommendation got content seen red dawn day time since series develop also many sub time good back story relatively unknown relation float new keep show fresh failing show acting list though watch series less seasoned getting better comfortable good watch people enjoy walking dead dome good underdog story teen wolf one favorite get prime use cable watch kind low budget interesting premise bad said show lot post apocalyptic suffer set end date show great story hard end date keep plot conclusion well plot hopefully another one season show stays good series well made action difficult believe appear bad start turn super well made would worth watching relevant real interesting story watch family offer like something could happen day time lot people would like control country watching first season admit realistic plot beyond well written diverse fully expect find small farming town community convincing portrayal lastly well expect happen given episode intend watch season time great show keep bad thing two long really know could went anyways highly recommend slick production subject suddenly prime headline status new york times longer fiction important stay current politics world around us future great art direction excellent acting difficult watch whole series immediately highly recommend think show could gone really far story stayed need time make story better show always kept bad got awesome show watch believe based crap air days think wonder show hit little close home uncle sam shut entertaining imaginative scarily realistic sent spine doomsday scenario might happen helpful understanding case national disaster watching scope interesting also keep even though cut second season came conclusion like type acting time real high budget production thought series looking though still living many series story line various portray real life could actually occur nation faced one post nuclear full diverse develop first season many questionable watch find candy coated version breakdown society close could happen watching show wonder bad would get live breakdown social structure reassured matter bad get always become worse complex ruby ridge take much convince government bad guy pretty much know whyfor behind bumper stickers say love country feer government lied stolen fight daily bread sort like living state montana enjoy watching full belly cold beer could happen series great character development many back action show great edge seat part life like could see happening event large scale domestic attack great show fast moving exciting many surprise made jump right next eventually acquire depth interest series additional hastily w continuity condensed early said entire package tied pretty neatly end season leaving one wishing many series whether prematurely axed far worse limited budget fairly good job vision small town dealing effects nuclear attack unlike mindless reality game think would react facing disaster difficult situation show various display leadership compassion greed fortitude dealing collapse civilization took time gather momentum find exciting television watch set rural witness unthinkable mushroom cloud news one appear multiple nuclear across u cast led skeet solid deliver believable series best depict real people would behave face sort crisis sub generally provide added depth tension direction show good budget part kudos fought keep show alive worth saving long run amazing story crushed believe high enough easier suspend sense disbelief watching also less gory may appeal people never saw bad run longer great cast character development recommend engaging well written directed wish could know end season ended story well written series depth downside sometimes soap opera approach taken conflict done superbly level acting great top way one reed excellent always skeeter bit role son father figure show going true loss weekly interesting show ways drift little much interest ing really compelling cast great never saw one broadcast glad found wish longer would given time go little overboard bad everyone could get like disaster could real treat one long continuous disaster enough variety cast enough mystery grab attention wonder series nuclear would since old bomb town people improvise watching far would rate child sensitive adult show also far profanity refreshing season better season mystery carried first season gig highly implausible like old want see next episode find wiggle dilemma generally good production realistic nuclear radiation effects also pretty realistic depiction effects older without electronic able run like whatever role play realistic want store realize quickly go much none fast service got item time little upset case little supposed new show interesting concept took figure dirty work acting bit top series far acting good story believable setting interesting watching see true form thank season season available want see conclusion honestly series wished ended something could happen anywhere really wonder long could survive could pit neighbor neighbor even family family really think b bit low budget feeling times otherwise captivating interesting plot red dawn feel interesting premise would happen small community series nuclear devastate united story around community trying find information dealing ongoing associated society like electricity readily available food modern cell like series always problematic hard weekly drama overwhelming large audience base said acting top notch even achingly overdramatic story plot also sense rushed order sense closure always brink cancelation gave unique interesting acting husband watching mix tension control little problem pat pseudo scientific example people ripe corn corn right radioactive fall really come series us little thinking fragile left lot real would face pretty good job showing awful infrastructure goes however scary ugly true life one another side like life show really good show good keep wondering next like good hokey first better grew got pretty real thought watch season two know ended quickly good binge rainy dull days idea end world show watched course yeah prime acting great especially jake dad plot good sometimes great really tell town set throughout first season times really much happening advance story dwell bit much family love bad supposed show end season really along much better pace episode brought new anticipation next one overall show lot turned think could happen disaster strike series lot times predictable annoying good series would recommend watching anything else watch interesting thoughtful perspective society civilization slightly unrealistic better disaster series series beneficial watch sorry continue give five two one think mistake major player left series two mistake end series point ended acting excellent suspended disbelief production value also totally believable real potential went hill first five still worth watching uncompleted two cliff hanger wish series one half engaging want stop season dramatic lose excitement somewhat mid season season still overall entertaining really plot series good escape television suggest give try enjoying series far like sure realistic bit rocky start music cut awkward season see stopped acting gamut skeet good job rather stiff even silly whole though carry pretty well reed great job consistently stern hearing amazing job wonder see deaf plot share turns keep watching make wonder though town doctor first pregnant husband love another woman soon pregnancy plot seem lead anywhere yes soap opera like sometimes make bit corny smitten show one however see respectable slice public glad network decided bring back may appeal everyone way need variety seem forget old cliche different different go wrong show outweigh enjoy glad look forward enough watched within short amount time excellent acting story line unfolding main interaction small rural community interesting believable second season community got fixed quickly well worth watching would give season five season three therefore rating abbey still good really lot beginning starting bit dull see action regard initial blast however watch good show enjoy series restrain looking final session ending would ruin show view near end world real definite purpose acting solid easy relate bad get finish story plot acting theme entertaining possible maybe little unrealistic town radiation though except initial rain detonation think show really well caught interest early beginning season two getting bit far fetched taste though really like tend watch one every night good story small town nuclear blast lot untold people guessing enjoying good guy bad guy thing guessing like way new people stuck guessing guy wonder could survive would want would trust series really well acting cycling see done one television series ever even one important earth effects aerial nuclear post apocalyptic genre movie many relevant calamity devaluation money barter level make shift authority left alive ranging continue constitutional outright dictatorship military rule desperate maintain food chain times soaring inflation government stop coming armed protect stock trade interesting however straight liberal obvious solution enough food feed fraction population falling fast communal equality formula starvation anyone confiscation legal property salt mines long abandoned rich family town scorned unpatriotic store protect stocks regulate meet demand good impractical socialistic leaning self armed people one point agree accept delivery neighboring industrial town new intentionally refuse pay percentage agreed spring belong town authority first place result realistic enough war feed behind hard bitten well done survival dime endorsement elite commune emergency may even see due ingrained liberal view otherwise entertaining movie exciting suspenseful great acting wished watching program ago hope see series like fell love show end infrastructure know also good man basic human survival upset show doe popular demand upset second time fun watching series beginning like watching first time still exciting sitting edge seat good present day fi good acting character development worrisome something like could happen would react first good story really pretty action good mystery guessing main majority season found entering fun show go brain dead much turns overall good story line two post well done interested wish ending like season leaves wanting beginning interesting story time survival right start instead apocalypse rural people seem bottled food full food could smoked preserve rural would thought think around eat milk fall hay would ready winter water may problem comes electricity pump people plot look forward watching great show wish longer run hate cancel bad second season get watch different kind show enjoying show far interesting story line good annoying seem lack content overall good show bit aggravating hear comes sync though lots action drama always want see going happen next episode worth watch good story line season one many season two knowing fate dropping main left lot unanswered good set drawn watched back back week week watcher could easily forget obvious min start show enemy might within us strategy success brotherhood necessary effective survival first show great unfortunately go downhill premise writing becomes bit specifically episode federal response proceeding problem comes show taking serial stance towards following serial nature major happen totally glossed touched awesome show otherwise still bad lots action intrigue definitely unlike anything else television almost give still got watching past march faced minor dilemma favorite come end wire ended run trio favorite included six favorite either past prime praying rebound season consistently great show shield ending run fall said looking something new watch close friend despite initial cynicism toward show gradually interested involved opinion never good beloved new jersey mob family however still compelling drama made personal mine great despite historical show make intriguing life henry even appealing audience may appreciate history much may real dynasty much compelling television show one accurate depiction henry reading book watching documentary instead show lifelong student history show sparked interest within research already knew henry six important cardinal said solid drama wake great wire six soon shield show decent ground slowly premier cable network due fact interesting well priced dexter course show anxiously release season two one new favorite like history show wonder sex think unnecessary teenage watch carefully would imagine like husband men watch bare exposed go back well written although historically accurate still one favorite watch one first may historically accurate sure learn separate show conflict show well done interesting much nudity turn could even make first episode good much nudity quality program also historically accurate overall entertaining hooked great series thought less hour per show easy get well produced costuming great like history enjoy series watched three grandson thought would enjoy series series thus far plan continue sincerely k great fun entertaining soap opera expect historically accurate chose four find history interesting several story line read found interesting would definitely recommend anyone interested history history major study history whole time entertaining watch gone done realize sex important first episode sex first sex keep show going trouble get bit towards end get better also like henry immediately one feel like correctly sake entertainment would still recommend show enjoy wish historically accurate creator show meant historically accurate instead original series nothing less come represent sexy lustful around fantastic romp mature someone prior interest knowledge period skeptical series watched television covered henry period around accurate light watching simply henry however compelling kept watching episode episode usual shied away explicit sex la medieval part given already dramatic history break catholic church far fetched imagine transpire series show probably best us willing take historical aspect story seriously enjoy watching beautifully shot definitely lush period gorgeous ornate lovely look expensive production great acting plot period piece series worth watch even brief always accurate history lesson guilty pleasure although show numerous historical show nice diversion watch show historical accuracy disappointed henry th time proven historically accurate exciting great acting first time see show watched entire first season one weekend usually interested historical based drama intriguing spectacular fashionable got interested reading historical setting also fun see henry prior man steel role well generally sided queen even though plight sad admired faith devotion chose extreme sorrow happiness keep need god even though catholic sad see disunity divided church also protestant reformation negatively although historical point may accurate depiction elaborate historical drama punch many try cant pull superb casting writing first episode season terrific way learn history always mystery go day without watching wonderful series wonder anyone passing knowledge dynasty find glaring historical depiction henry life two include death cardinal depiction however history detract really great entertainment series fantastic acting especially part role youthful athletic henry sam also power hungry cardinal performance maria strong willed series right beginning let go mean know set aside henry marry watching play exciting exact history great series full fine acting lot entertainment definitely get money worth great multiple people finally decided sit start watching series understand fuss first casting fantastic sam compelling dormer seductiveness nature imagine also worth maria bulk plot around king henry desire leave wife wed unable produce living male henry whose string never quite obviously grown tired however since still pope get permission marriage likely meanwhile seducing king somewhat less noble father uncle want nothing bring demise king chancellor catholic cardinal know henry spell able persuade dismiss court much around rise beginning protestant reformation growing faction country split catholic church hold influence king free marry long church dominion since divorce drama dun dun dun course fish fry king well flip alliance alliance align align two pope two importantly king court secretly working comes entertainment value series never fail impress fast paced political sexy dramatic keep mind series premium channel thus nudity semi graphic sexual content language taken much higher level one beef series fail certain historical accuracy really important several get skin take everything grain salt make sure double check information history paper dramatic actually fiction video quality good like much continue watching still good story fascinating story lots sex nothing particularly shocking well written great acting overall like court definitely must watch kind history geek especially love show interesting overly nonetheless interesting well done historical drama production quality make every episode like watching hour movie par well written directed interesting watch always particular time history good great show sometimes drama little top still good show try good acting good story line thought music good minor history big history movie fan version except nudity sexual soft thus tasteful view series entertaining little racy however husband really story always historically accurate entertaining watching series easy way refresh memory regard certain historical following good book period enjoyable excellent acting beautiful production knew henry brutal keep looking forward next episode bold shocking definitely faint heart sure historically accurate love entertainment value always anything henry eighth different look henry stayed watching multiple like historical best one come life pageantry costuming beautiful scenery put together lots drama sex mostly true like intimate look tumultuous time history story acting great bit much gratuitous blood gore sure would really interested series really lot sex true politics historian study particular period history sense enough know television series historical fact anyone actually review please keep mind show historically accurate terrible research done time period henry could found highly researcher consult business making television providing entertainment business getting every fact correct also people watch television notice understand unless studied period thoroughly even lot still know must approach series television produced fictional show feel could least gotten correct many historical series produced watched taken liberty bend truth found series quite entertaining even though historically accurate expectation actually getting correct fact made go back search henry learn truth state historically accurate say taking way seriously even time period cannot accurately state one another true could least possible ways spoke calling king henry majesty fact title would grace research primary secondary blue face one college stated cannot relieve past completely unless actually lived period find true research cannot accurately say learned continue learn assume completely accurate history make sometimes put finally even first wrote might telling half truth one side finally say remember history channel pretty much everyone historically accurate sometimes wrong show correct anyone purchase series entertaining keep mind everything see hear follow might accurate enjoy series entertainment want historically accurate understanding suggest going local library bookstore either book period people associated quite extensive selection would willing suggest would like probably disappointed time taken however beautifully shot many stellar nick deliciously slimy sam properly pompous cardinal maria beautifully tremendous courage dignity though strawberry blonde love actually never found actor sir hot really henry perpetually frowning well mary one marrying said creature king marrying happen way stunning great chemistry henry henry bastard child die probably though dormer magical screen almost impossible look anyone else clearly talented mercurial interesting watch hard time medium height slight though nice dark haired robust redheaded henry steven much closer henry would like youth watched found streaming kindle fire crystal clear great sound main actor however predictable easily emotional way know script effect series drama great however difficult understand due overpowering background music could rate series closed available brilliant music fantastic acting tops quite follow exact history since watching show king henry learned lot wish ended period go either way big boom big bust like story told show intriguing regardless whether history buff drama show captivating way keep watching end excellent job notable king henry entertaining great formal documentary look anything like hard top henry performance standard however acting still good casting done well soap opera sometimes fast loose script take historical accuracy debate show historical drama rather pure entertainment program based life henry throw time actual family left captivating costume drama romantic international epic scope material handled well strong beautiful language generally clean style set mood giving show classic feel say show perfect times quite seem right fit play king though charismatic actor often together however particularly good job showing frustration nullify marriage drag biggest flaw show gratuitous sex show surprise want feel like watching really drama intrigue series premiere worst offender regard every episode unnecessary given high amount sex though pleasantly relative lack violence say given choice two better much sex much violence life best drive story stoic resolve henry divorce scheming henry court gain power desperation go awry history forget drama lot sink teeth watch series saw set stop watching given historically accurate wildly entertaining wait till season available watching like series far believe historically accurate history always address well mostly believable fairly familiar history behind king henry dramatization really entertaining middle season still enjoying good reader factual key love series anyway wish produced contain explicit sex found episode recheck read refresh memory also saw throughout several favorite abbey well done elaborate acting also well done looking forward season perfect watch every morning elliptical easy follow fun watch great cast interesting watch without super l prestigious th anis version th season good quality entertainment behind th ne th change religion get watching madness entirely accurate stop check overall good series elsewhere whose would made smashingly entertaining soap opera henry generally acknowledged top anyone short list man certainly way serial monogamy kept like movie busy make even go one would think another blessed thing could said much married monarch yet even gotten point finally irrevocable first wife married second process almost casually orbit catholic church season stage one way rather vividly movie combined psychological acuity considerable historical inaccuracy yes death historical occur least happen strikingly divergent least henry usual henry heavy set peevish middle aged man vital young passionate sort rock star king charming perhaps sun around whole court government revolve nothing like historical henry however arrogant attraction man single minded pursuit whether victory tilt yard diplomatic convocation rid wife could bear son one sense yes henry probably much like charming mercurial dangerous cross court snake pit seething relentless plotting gain ear favor eventually henry would also rid anyone around tell drama first season downfall disgrace adviser chancellor cardinal sam setting aside able wife catholic maria favor younger presumably fruitful protestant point series finale although money noteworthy climax moment quiet horror another councilor realize absolutely one left court would able reason coax henry disastrous course set extra included set interesting look series production tour modern day associated henry court acting dramatic superb attempt work mostly period music distortion historical lower overall value thus deduction one star love setting costuming story think fairly accurate one could question immodesty documentary well done think costuming story line historical record watching would recommend series read henry great portrayal time era season next season filled yummy eye candy soon henry cavil new man steel story line take made blame em sometimes truth juicy without little added overall think fan king henry even curious looking period piece give go sit back let sex blood passion engulf opinion fun visually satisfying treat story line forgivable perspective rather lengthy critique show way rather historical scholarly interpretation actually historical time period unfortunately really concerned historical accuracy show scholarly review show description say loosely based upon life henry subsequently show strictly entertainment never intended follow henry exactly lived view good actor attractive man average fan would enjoy watching actor closely physical henry sex murder deceit patronize pay extra money cable channel look people enjoy show picked another season important show viewer study research time period maybe inspire people take history class read accurate textbook time period television accurate character would actor wow finished watching prime instant video yes bit graphic sexually time time watch yr old though sure seen terrific acting sam particular ambitious cardinal two dimensional maria wonderful queen character short shift time period history film great job flesh infamous story protestant due lust king plotting family wait see subsequent good depiction history well put drawn henry becomes boring somewhat pathetic first opportunity watch series really good product excellent condition received received promptly seller told exactly product condition expect receive think really interesting acting really good amazing show want watch wonderful price amazing show every episode better next drama downside item lack bonus make series especially like historical thoroughly enjoyable beautifully ever show absolute power corrupt comprehensive history meant entertaining even non history buff though historically inaccurate series non less well done never watched prior first season purchase show fun exciting must fan drinking sex bad language order enjoy much entertaining noted historical disconcerting combining mary one person rather inexplicable also understand title series henry father rise fascinating store well second season henry still fat also designer hair still fun great way spend rainy afternoon good series catch prime rainy day skip remember worth watching love show even watching time smoking hot era awesome entertaining historic drama period history many powerful secular politics internal external catholic church period ripe conflict interpersonal best aspect season sadly ordered first season extremely happy purchase highly recommend wonderful husband would look history see historically accurate well studied era history series good representation period romanticism king bit overdone series lag later drama could done better good series overlook dramatic license nice selection love history anyway good acting popular series interesting first season drama side overall try season see attention like one enjoy accurate stated good however see king energy character seem well done also however big fan explicit disregard wife daughter despite henry might thing time room wife queen mistress well suddenly love live without divorce wife marriage supposedly legal sudden one probably even remember name put test focus running country people around chasing woman closet acting part guy help hope story series promise hope deliver season like see queen background relevant henry went time great fun pleasant way learn little history intrigue fascinating led scholarly inquiry forgotten well entire series watch entire series beginning renew faith acting community series far better put today well done movie theater quality historically accurate well written wonderfully series like little mix old style language modern slang great learning fiancee enjoying series acquired quite wedding well done warning first episode lot sex doesnt really much history third fourth episode season turned better almost quit watching episode gratuitous sex violence got much better complex politics center story really interesting glad discovered better late never question much based history daughter daughter law watched series love series reign little sexual first time tried watch make first episode season one finally got season sure historically accurate doubt sexual good series must admit make king henry nice person still good entertainment highly entertaining decadent sumptuous r rated soap opera tell right sudsy opening period piece like would see merchant ivory film despite setting th century really common modern cable setting court henry way explore politics religion sex power overindulgence henry unapologetic alpha male truly feel world around obliged indulge every whim desire excessive melodramatic impulsive passionate cunning people around use flattery subtle manipulation order follow inhabit first season include best friend position live like promiscuous rock star cardinal henry political pope ann henry calculated move gain power position family henry wife queen although dignified virtuous gotten way easily never studied actual history henry really speak historical accuracy show say show speaking much modern politics day show best face opportunistic self indulgent behavior work like many cable need excessive use soft core style sex watching series thought imagine surprise first episode saw full frontal nudity sexual intercourse mention may wish watch series bed series group excellent almost make believe watching history realistic true period history show set like downtown give try well caught got finished better bad interesting follow along history glad forgotten history series much exciting quite sure going happen next well cast well written staged graphic sex nothing add drama indeed actually detract finished first season admit great costume period drama drag acting bit top said solid b series long time good series never opportunity watch new kindle fire prime membership catching series always fan period definitely fascinating see history way highly respect hidden amongst please please please take actual history grain salt princess married king wrong henry henry illegitimate son w dying sweating sickness age wrong lesser note court henry wrong starch make appearance latter part th century reign several wrong wrong wrong could give hoot superb acting moot point pure sensual entertainment best becomes impressive everything seen henry mystery wrapped inside riddle enigma paraphrase many people great harry redhead strawberry least built like although run money prince none really matter since viewer believe everything else king henry talented actor huge bright future ahead supporting cast nick sir masterful dormer vixen highest order complimentary henry duke condescending duke beautiful man lady queen dignity cardinal smug confident accurate secretary cunning deceptive blue sir comic relief member rat pack princess old part overconfidence sir overly pious pompous times obtuse spot characterization production costume design dormer obvious chemistry strong supporting cast take away star season finale suicide cardinal dramatic though well took long time finally getting around watching finally since comes prime membership mixed quality production top notch beautiful job love period era something really marvel fine well thing like much way bit depraved thankfully little violence deal worth time watch thanks historical lineage review historical throughout script help story interesting great photography scenery help support great series drama music sadly graphic sex cannot family disappointing little boring move along slowly like sum previous episode starting new one huge fan history therefore excited series found highly entertaining albeit historically inaccurate think annoying husband kept actually henry die child opposed showing affection henry making much older henry series time frame affair mary mention whole annulment story line henry sister name think serious history would find series downright laughable go knowing taken numerous mean numerous fact highly akin soap opera romance novel complete bodice ripping think find entertainment value think cheese factor could toned tad example like opening roll showing actor name text next felt similarly previously series similar soap opera suppose cheese finally love set design looking forward next season nothing comes close entertaining long fan historical set time period telling accuracy went behind far still seem plausible enough think fine job historical backdrop setting definitely kept interest plenty intertwining side spice interesting little bit predictable entertaining seem waste time went past time perfect series watch show awesome yes historically incorrect many ways entertaining watch mind input actual history way would entertaining still great highly recommend considering particular period filled change fate nearly every device found great better seeming focus sexual otherwise well done good background period henry king hold attention really starting get like couple give face paced well written drama sure would enjoy series surprising well done junk best like gossip love reading waiting grocery store line know probably false still read entertainment value intended series loosely based historical major background fact real life henry already met teens hot steamy argue people historical inaccuracy show go watch history channel instead show sex clearly needs taken grain salt script still well written despite season even better much better show thought good story line thus far good cast make good watch looking forward finishing season show exciting look crucial time history get past sex show great job showing complex time really series often watching two three sitting would given one reason music although enjoyable loud times especially whispered talking low private conversation volume help volume music background noise action show would elevate well considered turning closed caption feature rarely use spend much time reading miss action screen although drama exactly history especially public hearing determine legitimacy wedding queen like historical would suggest peter shame series continue three note saw first episode demand immensely series interesting like historical however problem historical summary prior series historical summary past leading series helpful somewhat lost said series intriguing well done entertaining bit history well believable costuming always interested costume design know king henry v vain always sad see go bit history knew coming dark humor execution part refreshing see series definitely entertaining inspired research found many many story historically inaccurate real bad detract enjoyment little may best way learn history still pretty watch even little kissing added thoroughly understand buy directly instead go older understand one vibrant sensual retelling history fact taken generally serve story well acting production top drawer series would good stimulus avoid historical particularly corrective portrayal sir much inquisitor martyr good movie little smutty worth price whole series even though little raw hank event show questionable whether actually factual entertaining series reign king henry little slow first couple really get interesting addicted getting season basically watched end season something would recommend anyone fifteen even little much good adult entertainment especially anyone age good acting scenery historical accuracy terrific whole series abbey beautiful depth history behind would prefer bit reality since polished show great sure accuracy entertaining acting direction good reason history story henry six plenty drama need alter real story series well written generally history fairly well identify regret moral bankruptcy crown catholic church people era tend toward dislike government would rate higher really soft fascination henry come life nice see may great passionate exciting spellbinding beautiful justice series henry true lion dynasty sexual powerful cruel admiration fear even small screen well hard leave time save later want watch entire first season compelling flaw production completely accurate historically scholar especially period enough way entire feeling atmosphere period always pictured excessive wealthy spoiled totally insecure highest land excellent job enjoy awesome awesome love renaissance studied minutely throughout high school given book almost cried music absolutely gorgeous one line continually throughout beautiful problem racy sexual wholesome person believe lewd leading king henry either show first watched first decided wait came watch show give great show amazing cast fantastic cinematography great writing though could delve times really feel like video best video read information think commentary small minute one minute feature nice kind extra would want series like put historical documentary show real life history anything also quit wasting precious space free series give us trailer code use extra space better video quality put extra bonus disc closed would everyone cant paramount put purchase great show slightly big step hopefully glance work progress hopefully release ray add shoot put less disc show handled road feature subtitle track show key historic information mention several commentary high video quality interesting watched learned lot watch get background information get significance going character cursed someone left hand track significant authenticity production skip next part ranting hate detail onto paramount show disastrous seemingly every release first release likely higher retail run around length mind first season long time restrict disc hope respective continue release future disc go route show first release rich colors vibrancy however video quality still watch recent company notice sharp detail high contrast get soft picture great contrast odd since show shot rate show great buy show eagerly await season march need work appreciate selling series low price good price want commentary better video quality closed read article guess older decided start beginning glad love real pretty darn good oh sure show hysterically historically inaccurate people obviously henry look like golly supposed extremely attractive youth accuracy enough department waiting see obese limping portion henry saga though sometimes sixty gorgeous capital gorge express lavishness court costume time history well certainly goes completely awry times however period courtier world politics religious reformation hugely complicated perhaps trying make fit hour week may look like real henry pretty good job appeal self heir trouble sincere belief wife one five think screen version probably fairly accurate character motivation think dormer eats scenery part hate see go anyway searching documentary keep looking however looking sumptuous attractive interesting little old fashioned dive right baby water fine first put first episode poor physical portrayal henry basic lack open court still think could cast henry better physically steven duke execution early season would well henry description diplomat well usual height complexion fair bright auburn hair combed straight short fashion round face beautiful would become pretty woman throat rather long thick beautiful job casting someone could portray many emotional henry altogether remind much historical accuracy enjoying drama based historical period quite bit historical though necessarily complete adult content expect see anything else seeing however say done excess let go desire historical representation found much show however wish considering first season really curious remainder pan one compacted television one wonder travel nearly fast present day regardless entertaining show perhaps may entertaining enough new history little reading guarantee actual history surrounding henry exciting right exciting drama like show far however times bit top keeping interested thus far see season turns series visually appealing well casting top notch would give except glaring historical fairly accurate account henry far watched half season complaint little slow times love think wonderful job casting everything wonderful period history full great much action oh mess historical henry two mary seem made one person two people work simply one sister married heir throne went enough material work version nothing add story dramatize make sense otherwise would said enough gave costume front taking liberty relevant actually added sense style went henry court sister nice dramatization pivotal point western history could exceptional ism period excellent acting portrayal henry interesting glimpse period start getting little final season series well written well engaging entirely historically correct meant allow one engage history ruler time feel nudity sex truly overdone cable drama looking series without historical eye one would enjoy good got well worth watching little long divorce get imagine went though series taken historical still entertaining drama henry times quite annoying habit casting aside anger longer hold interest historically accurate made dislike well said imagine supposed like much side dealing scheming power church back made good drama though sex could lived without prudish least dis like form boredom yawn yet another sex scene interested plot development love history made good television history instead accurate fun watch one example henry th son die small child sweating sickness must see accurately disappointed watched enough call review well informed probably thus far seeing say positive decided go ahead simply say hooked great show hooked much way fan series likely enjoy well period costume amazing acting well done missing something episode number secondary drawn plot jump around bit know enough history say history fault writing within episode tight large direction episode episode even though know basic story intrigue make foe fascinating show become series interesting look history although play little loose show entertaining better saying much historically accurate tell interesting watch great show enjoy fan historical fiction show entertaining pretty saw one episode obviously interest enough send back series much never could get past henry dark hair seen redhead actor henry good hair like wish much sex nudity prude necessary would prefer without also think year old son would like want see sex nudity watch together enjoy scenery good season bloody game great sensual wow better getting first season stop watching wait watch behind watching series prime beautiful bit sexed beautiful like far story line may cause rethink preconceived may henry still comes ego centric narcissistic fatal put context early reign considered portrayal king henry perfectly regal physical presence delivery use royal arrogant want slap silly back stabbing sixteenth century court make henry suspicious nature cunning political necessary justifiable sam turn cardinal one best acting date cardinal ill fated pacify king every whim make man god ready target many court season comes close much lame duck cardinal vulnerable shifting court henry expendable rest cast beautiful authentic scenery combine make retelling story one infamous well worth watching love show great addition highly recommend one historical fiction series definitely history still wonderful fun watch really interested accuracy little research web watching series correct otherwise wonderful entertaining show voice go v complete set husband know expect watching history interested era general first first episode hooked well well defined seem like real people authentic time period believe history closely ever get mention following lineage family difficult even historical overall getting picture want give much away ongoing story king henry lineage think rest series exciting hard stop watching first season recommend series highly one drawback find quite graphic sex throughout series may suitable find offensive tastefully done part care reason give series full give half great show hope quality series solely history lots sex power religious conflict main subject like today show well done first season especially good would compare show show like less violence great good love wish could regular show absolutely love show incredibly entertaining visually lush well well written although nearly well written second season well show future volatile king henry perhaps odd casting choice given nothing like actual historical figure help wonder going reach period henry life supposed incredibly obese imagine manage look part matter many real put spite however portrayal henry charming moody dangerous riveting good evoke early days henry reign handsome athletic sam give incredibly believable wish cardinal woolsey could lived see season stubbornly incredibly classy perhaps quite well done although sexual chemistry henry palpable still one wish actress presence dormer chosen portray woman henry defy pope show course rife historical often pointed henry two one margarate married king mary model character show married king certainly kill imagine decided two mary henry sister daughter show might confuse audience defense often difficult people overly familiar period keep various straight many historical well understandable less documentary fictional series one appeal well still despite historical anachronistic dialogue show marvelously purpose convey drama intensity court henry season henry wife lack male heir satisfying carnal elsewhere also beset political possibility war cardinal privileged position court produce divorce king marry henry personal political full romance intrigue decadence series exciting titillating easy forgive questionable hair henry buzz cut one though season many main way young look act like henry sometimes find acting laughable still stop watching dormer lovely opulent looking accurate history frequent disregard soap opera look life among riveting seen cant wait see ray another fantastic collection sure really enjoy series problem king henry dark hair instead historically accurate red interesting watch never like show looking something historically correct entertaining good acting first season gratuitous sex nudity second far third nearly would give story acting scenery five one sex second season bit first love story find looking history go along long time good show watching quickly got caught drama entire show mystery intrigue romance sex outstanding history learned lot historical especially engaged learning split one another reign henry th tyrannical viewer needs prepared brutal highly recommend series particularly historical fiction watching immediately incredible riveting wait finish first season start next good understanding history era although sure story bit draw people interesting period piece dramatic license colorful cinematography curious see decent acting lovely historically accurate brought life one exciting times history excellent henry help admit glued watching every episode within days completion see henry gorgeous man earth production help create fully experience past well character well would recommend anyone like nudity sex used got interested next part story season like game probably like much look forward seeing great go wrong series lavish production beautifully shot terrific little much gratuitous sex taste would five like show lot could without overdone sex least three per episode really season one seem bit drawn overall story keep engaged five rating two five queen political subject matter difficult follow grace must great king entertaining series bit historical viewpoint well written well entertaining bought husband really show purchase show absolutely gorgeous said already also said historical inaccurate awesome series drama lot historical hey show time discovery channel interesting kept watching probably watch acting good show season interesting look early henry reign story dealt primarily henry sexual politics especially desire war order make name perspective limited video still much fact shown acting good costuming beautiful good place start anyone interested period history little much sexual content good show kept watching con although bother historic accuracy show actually pretty good accurate give five love history learn past continue repeat different outcome historical novel series never meant factually accurate rich costume detail stunning photography many period took chronology computer graphics attention hard walk away scenery look computer watch fun find anything offended lack accuracy passion impact accurate enough real king henry repulsive disgusting going plague unimaginable us world country get love read watch movie let better understand history story fascinating every single episode would like less amount sexual throw history book away watch series fun gorgeous type program learning history fun become real people ambition acting much better seen average show amazed old castle either lot old still existence creative season wait watch season hope one pull finished watching entire first season show first watched pilot episode never watch thought show visually appealing way melodramatic historically inaccurate taste however recently read fascinating book henry something else satisfy fixation watched demand less week really order appreciate program willing accept show yes majority show based real historical cable television series course going appeal commercial audience result people king henry court much attractive probably real life major historical still actually get many right show overall engaging watch exciting fast perhaps little fast opinion example henry illegitimate child first episode second episode already giving birth wonder long realistically continue air rushed chain part think casting show excellent never big fan portrayal henry intense dramatic exciting sam brilliant two faced cardinal dormer perfect bewitching far famous goes think henry bit one sided season interested see role henry woman nearly kingdom would nice see emotional side henry also think actually pretty likable far hopefully become much character season overall much thought would entertaining people enjoy learning period history definitely get kick eagerly arrival season thoroughly brief many first part history may like love period read several henry probably passion history want enjoy show give lot done fashion secret lack accuracy however good entertainment thought r excellent job fat original henry excellent actor role nicely recommend history entertainment usually one short used television keep brief although like history historical every turn bit pet peeve aside series wonderful far visual orgasm acting amazing though exactly look like historical supposed portrayal definitely second season product set printed mine claim disc one disc two disc three along special disc four well disc four looking little place set printed photo fourth plain grey show episode number first three three per disc three four two one grey fourth disc really enjoying watching well cast pomp decadence times never watched although old rainy weekend scanning prime got hooked highly recommend series storytelling exciting entertaining excellent cast want season two right away really grasping tale young king henry story based explicitly lust deception lawlessness arbitrariness still well valid law order date somewhere modern looking world enjoy missing clever humor game nice see dormer great got important thing say average viewer something lot intrigue level sex expect pay cable something watch reality enjoy series believe well worth money spent recently pay cable coming certain type really taking advantage part market little skin scandal point fact level explicit detail language show like deadwood tame soft core female nudity one scene self pleasure actually less sex would show works story man good power corrupted personal sexual needs desire immortality heir unconscionably cruel people around almost without exception getting close powerful man order least one beautiful scheming woman one woman martyr short soap opera one interesting consistent series inaccurate believe important people state allow make informed decision show expert want see show factually beyond reproach however think people show people walking around thinking henry sister husband giving people little credit missing real possibility might take time learn knew bare time frame first episode label geek look real story would see event wonder true ordered well knew little henry watching show made interested enough find whole lot still like people family tree never show meant entertain tell truth whole truth nothing truth expect history channel give straight took everything grain salt highly recommend series also agreeing history real story worth knowing interesting right former yummy mind candy latter food thought watching television second last episode thinking going terrible king henry red head bearded middle aged expect fat still athletic wooing real king henry forty henry acting somewhat wall true bluff king angry petulant time next season acting calmer therefore menacing intelligent feared monarch henry well done character well shown script conflict humane man versus smiter historical skewed wrong many yet right spirit part historical yet plausible suicide covered wildness menace well worth excited move season two love able stream want demand keep getting good history buff like may cringe although accurate ann blue series blend henry one character acting good good easy king henry sex hot fight action gory season set good quality good price purchase however found watching case set case description forth would purchase season great series series interesting story though historical captivating acting great one written people history henry man truly history better anything personal gain yet decide however perhaps look man well times living make decision better henry golden child whose father put throne war ruling man living power enjoying mostly romping bed many possible whose wife daughter might sleeping behind political abroad king church cardinal court aristocracy biggest concern however unable produce son carry name married brother widow upon brother death keep alliance one surviving child daughter mary longer able always back mind fact son would one carry legacy enter lusty saucy rather older sister always footnote history recently small part series would henry story real life hope birth son henry perhaps henry marry sister would produce much son amid much anger debate church henry marriage null void head church history let face really want know many political religious really sex us perhaps still story henry randy many still young cute rather fat hairy man know could take power control see pain suffering first wife real drama make happy left dust subject matter spectacular worth watch see presentation historical speak first would better cast tall broad shouldered barrel flowing haired football athletic henry make material work juicy roll henry two one fascinating one smart plain one beautiful shrewd real jewel maria presence awe inspiring historic daughter get enough period costume glad see story unfold way true real thing think clearly inspired produce one hour henry youthful vigorous days small one growing discontentment love get wife number plenty scope leave bit frustration times wanting see little resolved key henry low fighting fit clearly horny fairly explicit towards beginning season cardinal great presence sam corrupt efficient first minister sir fervent catholic conscientious humanist series combination terrific well written screenplay flawlessly atmosphere court short success failing counterpoint royal drama real rarely seen could considered vital understanding times lowly poverty may well accentuate drama said despite forgivable history works well refresher history first seeing henry prime real human kudos await next series bated breath modest rewarding couple minute costume one tour guide taking us round real historic moderately interesting documentary real history may also welcome addition also included first series cunning plan welcome one television series collection even though many added history entertaining love excellent series lushly produced fabulously designed quite possible exist f historical read quite well done thoroughly enjoyable wait next season highly probably really thought actor king henry right anxious see like quite well see people perhaps problem attitude quite big pompous pig might realistic personality know people would preferred perhaps bit politically correct today times guess saying series might true saying saying appreciate might reason missing star gave four two use word check history fornication consent king exist blatant attempt r rating appeal must show like view everyone somebody keep good story little history like historical great information left side screen movie well information historical perspective found attempt sexual presentation unnecessary really annoying good historical value true real deal action suspense drama something everyone might learn something would suggest glass wine one hand chocolate indulge watching series historical drama historical accuracy wonderful production design well chosen cast king henry whose sexual desire power ultimately get way person court desire power advisor cardinal sam henry henry henry nick seek remove power involved specifically dormer henry eye becomes thorn side henry wife maria great production grand whole thoroughly entertaining engrossing epic feel say weave potential high show become something special indeed looking pure historical accuracy find instead find entertaining historical drama goods show well lived henry keep telling royal stellar pull scene watching keeping going royal kingdom love show fun watch intrigue set within th century also great historical beyond henry worth reading love history monarchy respect series great get lot story correct accordance henry reign captivating coming back quite frequently reason rate five star series sexual vulgarity understand part drama series bit much liking overall great series next season grateful comes prime membership great show watch looking historical accuracy shy many many sex husband watching series nightly wonderful little much visual emphasis henry sexual awesome yes follow actual history great drama watch superb job king henry know short lean also young jerk bully coward excellently ask cast great wait watch buy season buy e looking history get six henry instead want juicy drama great buy good cast interesting script wonderful incredibly inaccurate history shame accurate story full strength drama without example writer apparently used name henry second sister rather correct sister mary felt would confuse average viewer name sister daughter production ah yes sorry forgot ill educated watch television hopefully production encourage people go learn little real wonderfully rich history period st season story familiar one twist enjoyable know claim true account many times watching wait next episode historically accurate much possible jewelry beautifully done series either get good strong well world captive even slow wish learned monarchy back day school may interested back learning possible fictional sure make entertaining ask series historical romp henry reign many royal excellent acting period brought tense tumultuous henry anyway royally racy era life looking forward seeing ahead season sex nothing soft simply gratuitous otherwise would rate good show watch around lots nudity show make pack ship head west original take henry evolution take monarchy papacy courtly fast paced show many intriguing significant part history amazing acting phenomenal love acting however would less nudity sex guess produced decided watch series free prime kindle stayed true story series good showcase historical really light rather used entertain seen many times looking documentary show however entertaining television interesting enough plot quite well chosen great cast alignment unlike overtly violent blood streets every go round bit character based looking good political drama might good bet want see year year play real historical figure fiction fan period could miss season henry king known man broke catholic church become head church marry six infamy place history fact daughter queen one time case season four entertain almost perfect time watch would holiday season series much sex also turns historical background henry decision making pick court something understand better get sloppy towards end series language sophisticated one would expect court one time find excellent role perhaps young play king married queen maria play queen queen graceful dignified unlike actress dormer dormer coarse unsophisticated role someone like witty keep henry interest long speak fluent court many portrayal befitting woman mother one influential royal history court politics switch keep attention learned apply event today modern times perhaps one reason series popular cannot wait see season jewelry intentionally look history movie well written beautiful cinematography looking forward rest series acting amazing script certainly attention second time watching disappointed yet first taught history well aware license given show despite many exhibit show cause want read real history provide truth applaud show effort certainly entertainment without show made watch drama read history like certainly spark interest real thing acting well done one interested period story based history educate one life style king interesting show good character development would recommend though slow time time great production good direction sometimes need script editor always convinced really henry dormer compelling us interesting look would like young henry king great movie like see history even made rough times king head see us catch see enjoying much acting could overall action exciting entertaining going back different time world history first season quickly interesting history lesson high school world history long remember fascinated henry course excited someone everything accurate history put aside appreciate series love see glamour gore henry true renaissance man series quite well amazing view historical fiction must quite enjoyable watching one episode eager see highly entertaining take king henry many get political scandal forbidden tryst royal manipulation every turn complaint blatant quite going actual factual historical love history bother acting good enough make keep watching would certainly recommend one time period however take show historical factual drama first episode intriguing attention look forward watching seeing series continue great cast surprisingly substantive high production quality always felt like lite series direct competitor game without acting detailed period highlight series though henry older series forgive artistic reality nearly interesting certainly henry virile active man fat monarch often treat program history lesson well good entertainment creator head writer also responsible history channel excellent recent series little guy henry blue missing crucial historical development good period drama historical soap opera overall enjoyable gripping mind departure historical fact bit get caught political situation part past show well done movie realistic fairly historically accurate think well want delve fascinating history awful life people historically exact often costume drama people language used barrier try update language something relate leaving historical setting intact sure us would fine historically accurate dialogue love costume trying get modern audience interested history probably learn high school inspire read excellent book henry got history lesson like show turning old storied character someone relate yes making sexy highly portrayal king henry reign meaning beautifully lot fun really historically accurate said beautiful casting job really excellent great series watch free time pity per season hopefully truth history better fiction well done acting great writing also great costume drama full intrigue violence sex lots sex naughty renaissance never henry turns always bloated misogynistic pig fact handsome athletic ambitious bit clothes horse costume designer mick jagger day stud velvet breeches small stature intense young henry evidently made political based arm wrestling probably get caught scheming even know duke marquess appreciate even beforehand season one written cate history may know much could play drinking game based every time two renaissance chaps stroll corridor one grace whether lord emissary court returned news treaty uncharacterized pop unexplained plot time still renaissance history enjoy field cloth gold kind bucolic peace party may like emotional intensity outweigh historical accidental humiliating brush death bastard son exposure sweating sickness help explain henry obsession heir sam park great wheedling false subservience cardinal henry chief advisor appreciate end episode six sir poem coquettish flee political scheming nicely sexual political even th century sex intrigue made good watching show free prime member must say really show far every episode engaged wanting see next one love show although accurate story movie entertaining great rest know movie made since recently watching show every since however quality movie vendor sharp bright actual show seen channel wait see jane next season king age watched series available prime series weekend interesting series glad could finally watch wonderful cast great reproduction detail great fiction based history really like costume design think show good plot excellent acting continue watching season two give shot looking something new historical drama kept pretty throughout first season looking straight non fictional account look elsewhere definitely taken least understand history period said often close enough easy enough probably people medieval history suspend disbelief enjoy young king house time sort wire feel many household seem filled experienced good enough job also story often span several require little patience find enjoyable today world every scene must cut away less every conflict resolved min cinema masterpiece gave first season sort fun mindless entertaining watch always history buff depiction young king henry great look realization world power back stabbing greatness turbulent ruling family acting scenery excellent although life henry sure much true really good series especially enjoy like game earth wonderfully done scenery beautiful series kept interested anxious watch next episode show young much nudity violence interested much wound looking main fun watch love historical drama acting content story captivating educational well entertaining experience lavish series acting king henry sam cardinal literary license taken historical scene outstanding acting best tradition somewhat like soap opera small budget series well worth money excellent entertainment availability show flexibility watch want great content overall good although quite favorite fan historical fiction one cake sexy spot though toned fit ear think mostly true history although blended another king henry gregarious man impossible position charge nation around desire trust absolutely trust one take toll henry walking fine line fantasy reality good representation times excellent costuming beautiful countryside history comes alive superbly well beautifully season one series well paced directed strong storytelling leaves one wishing travel back time really get know true king henry compare warning however series definitely explicit sex get sense instructed include least one gratuitous sex scene per episode one mind screen definitely enjoyable overall dramatically life maybe know history story predictable overall think well done fairly good grasp history help watching show history fan love season great story interesting main character great supporting cast provide lot excitement lot fun show speed history history fan one might fun interesting review history see gorgeous scenery old fascinating watch interaction many famous people great historical scenery acting action drama coming back history buff found fairly accurate mixture dramatically correct slightly enhanced factually based history monarchy great interest queen virgin queen would nice sequel enjoyable watch although take historical accuracy good job carrying large cast without getting many times would start film get glad tried worth season one incredible history buff definitely enjoy although sure may accurate dramatization involved make interesting show thoroughly watching set fabulous story riveting watched demand went first season weekend start season four also want read actual history era although brilliantly staged retelling life henry would given five chose four sexual content graphic would show tween daughter series wait couple scheming group although series historical pretty engrossing become familiar well scenery well done continue watching launch season love interesting plot based historical however often turn volume high order hear good show start try get caught rest season series history buff perfectly accurate history pretty close gorgeous good casting good acting especially sam cardinal nick well young henry interested see queen sympathetic figure watched couple look forward rest excellent drama series fun nit pick historically accurate acting superb lots fun love hate whole time leaves begging episode bean would accurate henry seeing met would hair henry ginger history fiction production brilliant sexy next season watching season one excellent watch history good compelling well drama well worth watching known great taken comes historical accuracy time inaccurate totally several totally wrong also cardinal death perfect example know nothing history easy program watch get hooked bit effort watch really understand took accuracy life henry compelling need guild lily speak hardly wait season two pleasing see somewhat younger talking marriage life chore first time watching episode looking material found nice awkward time used watch different mean always weird watch somebody else instead usual thing kind job stand lot depending audience season comedy central several favorite amazing maria solid skip cheap buy worth cake wide variety humor love maria easily one favorite stand consider one top though seem sheer creativity polish get wrong still good performance easily worth nab season performance much better bit nostalgic still entertaining nonetheless fun see still around good comedy never old good percentage stand good one person would like everyone different funny bone much immensely funny love turn around house keep easy funny listening movie cute kept attention whole movie much would recommend well done mindless story line reasonably well would every high school boy dream beautiful tutor movie much better figured pleasantly see actually story able save money repair thanks video highly person actually watched entire season found entertaining flame stealing really save energy section season mind besides clip show ran season good better still high book bit p hilarious go ahead flame away season mind thats good bad already fan show probably still enjoy past enough hook watching nothing break grab attention convert fan future expand see ethnic many times quite gut funny used repeated keep laughing never dull moment season great humor wall everyone phone pranking around whole new level side much well worth watching back old times old stuff still make laugh thing get tiring bit thing know supposed phone time annoying gift prior meeting never watched series said certain great show peaked season interested degradation close team pressure enjoy season finish series get far season suspense filled action however built anticipation waiting almost one year set took enjoyment away took reconnect worth wait yes wont get heart set seeing next season still give four enjoy ending bad take away star probably could done better pretty good want star rate dont time type send rate dont make type review thats irritating continued drama barn affectionate name busy precinct like bad behavior like fun watching dig one hole start digging another suspenseful great excellent writing must see show broadcast great set back marathon see whole series bit violent dark season immensely presence first cop obviously intelligent series complex quite interesting even though show dark side corrupt quite crudely season story perfectly possible understand throughout character quite different seasoned able quite naive definitely beautiful like many series season feeling much whole series extremely intense starting many character becoming bit choppy sometimes meaningless still great acting gritty drama like next last season series thanks prime free catching season could see season finale watched season find entertaining recommend series building best seen thoroughly series throughout way amazing logic truth series five star good cop show got yet season find conundrum season make worse odds writing still tight camaraderie strike team loose end form alliance time even though point series run gamut heading end still must see like soap opera life unfolding front face shield division part effort provide sharp work great job network chance fold like jack la cop show never want visit downtown la season one part excellent series whole series driven great acting supporting cast good enough guest make even interesting shield great actor watched fast paced good acting would love series return way series leaves wanting yet going would bought season shield season left new premier episode found follow first time watched able follow second last episode season next key future strike team overall presentation consistent season per slim case less room shelf well listening always entertaining informative learn show three behind giving set series star take half star away set believe originally broadcast think appropriate face presentation show like shield watch season must watch first disappointed probably season show yet still solid check pretty violent hope really like saved season guest star much writing far episode writing series saddled w albatross first episode lead character murdering fellow cop clearly shown clean honest ever lead character clearly murderer better walter white breaking bad one wear white hat like gray dirty gray supposed escape starting look lot like real life new reality good mix ever la terrible light point view solid slightly shorter transitional season leading directly final season naturally shield already know highly television series careful wish absence good series deter watching series quite entertaining see get latest hole want hero ended show guilt death eventual unraveling done really well felt like season final act series full action best worth time watch get ready laugh season good great fact season mostly death end season season five also short season considered continuation first couple wrap also new leader strike team san searching killer strike team dutch teaming dutch trying get cutting deal new bad guy behind going season good probably would get first shield class shield show inside police see face everyday beat wrong prevalent skating edge right wrong constant struggle great show good program worth time add queue keep awesome good cop bad cop show good watch mostly bad ass got coming wish continued rip strike team best drama finish season start season one really big fan show love complete sixth season shield starred left show watched since enjoy season though big fan get season watch since done bad language would recommend anyone fan watching series always good amazing much corruption series end near series goes bang kept guessing would next well great seen series edge whole season two night great intensity better episode season many turns thatn reflect enforcement system system work us thank first episode going cleverly contrast tough end overall well done character show good didnt like show watch season like much violence gave definitely got hooked watching shield regret show ended second shield due defective first copy far handling problem copy exactly like said good condition would hesitate buy future shipper thanks good intense beginning end convincing role like law enforcement series like one average rampart scandal entertaining lie getting covered uncovered many dull series good watch favorite always like sister film evil slade one probably happy especially price long time since seen rating guess movie begin quality probably slade level well standard display nice treat comic different kind movie funny entertaining one hope enjoy pop corn relax enjoy first let state like much since admitted found movie pretty entertaining character went east got interesting went back west good also fun show silly premise sure long story line would another reviewer pointed happy watch whatever roll bad show considering even whole season bad give chance saw show found also angel firefly firefly slither seen first three hooked fan angel firefly amazing race run midnight madness must watch show action drama suspense exciting car refreshing humor troubling finding many television today premise incredibly interesting show well problem show fox cancel stride oh well enjoy go jeff true form works clever comedy skit told best country music inverse know going hell lost star soul plot like going buy movie like concerned plot good nude sex although unhappy seen trailer sparked interest also seen outside window documentary one based la interesting outside window actually whats happening la actually see guy die right crazy stuff question shall old important today silent film movie sad say many elderly still isolated barred adequate employment lack adequate food medical careful early twentieth century masterpiece one could short silent film oddly maybe sequel living compassionately old like see instant video constantly could olive near sometimes reception interrupted whole watchable inspiring well directed stimulus get good guide well encouraging try new film short story film better story film people create first put quality film subtitle conversation washed lighter much story still understandable master swordsman son given mission father deliver box met along way ultimately injured young girl also master sword kung fu box away mission family home exact revenge something story give away watch disappointed like show overall consider watch like main especially comedy today rate one average average comedy today monk psych better show awkward short movie really like ridiculous dancing odd funny also enjoy time period clothing home nice twist ending suburban housewife bunny perfect life arch rich successful husband big house family yet closer look lonely unloved woman bunny hubby cheating car lady petty criminal walter anyone guess edge seat trying guess might happen next get pot really boiling also mean goofy walter bunny know walter bad guy especially meeting sweet mother screen tension tucker really intense never really know coming around corner end plot becomes little convoluted dream becoming flute player little needs husband play flute jig execution film excellent good journey lean either great version old fashioned black white true original text really bit graphic nothing gratuitous remember watching movie many times younger tried find copy avail day found magical recall generally quite awful shining beacon made delight young old alike treasure last forever heart wish would bring back good learning experience youth one classic movie never got good movie excellent performance young boy grew surrounded mark twain lovingly live young impetuous envied lust life child shock danger sheer wonderment completely young man always young heart regardless year born young want fill personally possessed great way start corral together sit wonderful old sport spunk childlike innocence usually seen fare days huckleberry wonderful tale excitement danger life nearly forgot would come said wonderment lost film adaptation considering reading novel daughter soon film version time golden boy alone made like six arms nomination perfection normally often find hammy regardless age much wonderfully key even script confession scene rain particular horribly undercut nostalgia film key driving force lose splendid enactment king duke introduction scene finale jail sadly film condense pivotal part slight story complex still delight film little well eldest also fun see walter fun great cast solid around love rex work general fine runaway slave yet story never quite fire reason maybe bit old fully believable huck hence rather perfect casting huck good cast well done stayed true mark twain story back different time different get movie well give feel times place period script expressly story huck murder run away evil father sail raft friend runaway slave family north full huck think huck good fare little trivia fact rex actually born never seen decided finally definitely worth even dough old interesting look court interesting approach history grandeur palace grounds length fun show watch host funny corny times wish would pick pool allow free style last longer understandably though fifteen min show husband season got watch hospital really funny highly entertaining creative show anyone comedy find riot especially highly sensitive racial sarcasm still hilarious still funny us laugh hilarious material warn secure stay comedy central greedy little show way many commercial get one third show many commercial quit watching cable reason like make show worth watching nothing service understand extremely annoying show air great funny comedian unbelievable unthought comedy pretty funny season watched slow connection hotel keep loading however free reason prime good enough still want charge watch season actually care comedic master love many great one come humor rest us sometimes think never say tidy wrap end season worth visit done well peculiar sense humor funny bone sometimes little near bad tosh way hard swatch skit one best wish would finished season wish would come back good show would see really like watch ya ya agree much bad plot thin best park deliver given work best silent emotive actually one favorite terminator although much better story usual time perfect condition always happy find sure available would movie demand seem bit know like interested finding great western kept seat never seen desi serious role actually good always peck disappoint probably watch movie glad watched like good old western one good watch lot would watch one good mix funny best bob hope sold insurance policy protect claim insurance killing bob hope boy get wrong number bob husband accidently connected bubble bath actress later accused murdering girl life bob hope lucy make holiday try run away take rubbish bob get daughter away goes keep away trouble princess pirate bob actor pirate attack runaway princess land island run lots black humor road hong series bob bing get caught spy network want provide new world kind got coved great bob reporter get biggest happen nose spy ring trouble sprang chance get box set bought far dirt cheap price leading electronics retailer never good reason never video always find movie guide helpful proved case however bob hope us big somewhat differ therefore listing seven giving view available view overall sense simply gratitude bob hope finally made wait watch also cannot forget bob hope greatly video contrast vulgar comedy musical thanks bob thanks finally hope eternal seven individual slip case brief road hong last road picture guide read said made one many ought left one however always one fun carefree spirit one sided disc black white boy get wrong number bomb rating agree although one may want watch anyway double sided disc full screen one side color alias three one hope western theme hold found big snooze double sided disc full screen color life three sophisticated comedy bob hope ball one semi dramatic two make good team worth watching agree watch lucy anything rather goes hope well one almost affair full subtle innuendo late brought bilge sexual revolution failing society later popular culture shore quality double sided disc full screen black white got covered two topical time awkward hope diverge found spy yarn enjoyable film set writing almost scintillating favorite brunette bob hope broadly comic vulnerable flawed character somewhat usual one sided full frame disc black white take two calling pseudo sexy hope vehicle witless since day comedy definition marriage chance see weld coming along hope lavish animated one sided disc color princess pirate three one bob sort something everyone box office smash get nonetheless outstanding younger walter film pirate like older much better gnome mobile real one sided disc full frame color pretty good collection great price seven individual got covered princess pirate alias life take road hong boy get wrong number far two princess pirate got covered alias available first time last comedy western pretty good one drop quality road hong road pretty lame boot life ball good hope ball life take hope aim getting younger audience mixed former latter eye candy boy get wrong number hope first among best set hope later period early mid past prime quality three really make set would rate individual basis princess pirate got covered alias life take boy get wrong number road hong high quality bonus price set good deal bought collection copy princess pirate going suggest buy collection movie dark blip minute two double exposed notice stopped paying attention awhile sad also watched boy get wrong number life got covered three good enjoyable would say good collection make sure get sale fun collection old steady bob hope older princess pirate hong personal favorite got covered classic timeless hope fan alone worth cost little also fun watch whole family bob hope always seldom sexy actress famous bathing nudity tantalizingly half hidden fed merely sex object taken seriously given meaningful order make strong point director manager current movie coast tiny town hotel switchboard operator accidentally real estate agent bob hope inadvertently away identity keep secret sympathy get bring food since go get housekeeper lily call major setup movie comedy manipulate lily continually dropping heavy handed cheating wife wife approve anything woman gorgeous dollar potential affair stay cabin trying unsuccessfully sell increase value potential leaves stayed fun movie bob hope play extremely well good example bedroom plenty sexual misbehavior hoped comically assumed happening various sex nudity actually naughtiness merely big misunderstanding sex farce format conservative era enjoy guilt free pseudo illicit movie also take paradise two bob hope amusing sex collection hope saw movie unlike road color side kick couple consider sort funny take boy get wrong number got collection husband bob hope fan lot less often road wherever fact couple collection yet watched boy get wrong number favorite bob hope film movie since child watch motorcycle sight see give chance great lighthearted fun movie usual dirty word perversion fest mild innuendo going tame modern family days seven prove bob hope wrong comedy life alias bob take chance one someone beau funny better best two alias take half color half days black white watching able watch bob hope develop time acting ability film format also humor depending like collection bob hope either tickle fancy make go alias late offering surprisingly entertaining comedy satirical hope paleface hope eastern insurance salesman life insurance policy notorious outlaw must travel west protect investment cash boy get wrong number hope erratic film career realtor hope crossed literally beautiful actress course known bubble bath acting beauty goes hope hide easy wife lord snoopy housekeeper wild haired funny hope around script sometimes sparse real delight life good adult comedy married people married first stand drift affair proof hope ball could deftly handle broad take another teen flick generational gap commentary hope dad weld teen idol princess pirate hope plunder treasure trove pirate genre splashy offering road hong hope bing getting bit long tooth kind silliness manage score funny peter scene doctor picture sadly cameo appearance young collins leading lady film something top secret rocket fuel formula bond flick got covered another good hope vehicle hapless reporter getting espionage trying marry fiance mixed bag hope fare something everyone recently knew screaming mean knew guy supposed amazing chef rep fire watched show kitchen guy genuinely food people succeed even serve crap scary dirty times sense yell big heart show yelling sure fly kitchen waiting spoiled crew worse like time stopped rancid crab getting drama aplenty like contestant got kind crush show interesting mix found underdog waffle house fry cook worth watching series see turn fine dining rookie knowing brulee people yell effect comes genuine show kept coming back eat look food different evaluate experience eye toward back house aka kitchen respect involved getting table full food time tasting right hot enough see yelling comes play see could use really enjoy old western movie story line good good republic come b w fully digitally born age musical rocky group international formed group bob spencer sons group known dick finally included cool water tumbling first western rhythm range starring bing went solo made first starring film western made almost came television show ran production staff e ford musical direction story line plot move ex ranger cavalry unable stop brother ken lane chandler ex senator organized state patrol soon protection racket joining burned second musical starring role republic watch favorite character b western harry al jack kirk frank cast horse mary hart colonel senator morgan lieutenant chandler ken ranger b carpenter man townsman hall court martial townsman kirk unseen soldier singing court martial ranger black j aka franklin date birth death apple valley aka date birth red oak death crave action drama plenty adventure check western western double entertainment vol san vol canyon vol old robin hood vol far frontier yellow rose western entertainment home classic singing four feature colorado sundown big show come wild country ask carry many available yet order pick copy entertainment collection pick double check new book empire book reference trivia scrapbook paperback reference trivia scrapbook written western film historian whose thrilling b western yesteryear us back childhood family wish come true wonderful past pen top box office draw republic went see big screen got exactly marquee said plenty action hard riding song two thrown good measure country music hall fame member sons king got horse trigger rode every one trigger age thirty three dog name bullet almost many trigger theme song happy written queen west wife dale wife dale hall great western national cowboy western heritage museum member sons hall great western national cowboy western heritage museum three death miss one empire hesitate rush pick copy today great reading days come guarantee thanks collector character identification chuck old corral b western bobby j author trail talk empire buck life buck bob author real bob interest b b high drama one anxiously waiting please stand take bow western total time min republic would give kept stop starting every good never knew many great watching turner classic television watch good bought keep good entertainment going great classic western true form movie wonderful example best well done good plot acting fair still kept interested older flick good dawn express enjoyable love watching cringe prepare plug vulgar language close gory blood good story line good win never disappointing performance even though production like old wartime love one good family movie gave four instead five star mainly skip beat two viewer fit together difficult left wondering maybe something got left story good one feeling especially young boy good job made want watch dad good script maybe final line sure final end bully story viewer given good clue yet seem finalize made wish family could go back farm city life hard enough yet dealt difficult situation different ways think boy best felt beloved rifle also hero along dad boy dog nice touch decent police officer good little program dealt mighty subject short time think would see cast good family one thing beware family wise dad bit free nightcaps good way tackle life would make good family discussion one script deal life dealt keep eye open human traps maybe perfect five good show nonetheless enjoy enjoy old think time fun underwater done tank fun get kick old special effects glad finally available wish put effort improving sound still great suppose person gave person say anything else say great finally got subsequent make onto one time favorite nice experience old days great comedy thing disappointed offer closed us hearing otherwise good continue next become available thanks great hugely talented ensemble great glad see entire first season went one weekend show funny touching back teens first great lead trying earn living mel diner raise young teen holiday spirited waitress best friend mel crusty diner owner vera ultimate many good season could call little see season available show never got many familiar like watching new old show highly always go classic series series exception well written show classic late show back many rarely would miss episode growing part collection would say must watch perfectly kiss grits attitude perfect counter mel brash nature poor vera always tried hard get day without catastrophe glue brought together along ever set foot mel diner early best opinion like time one day time comedy wonderful vehicle complex gang life introduction alternate shady complex romance heartbreak life interesting topical yet timeless rarely episode timeless humor message aspect show remember special wished extra set show air ago still sweet humor good series comedy back watching back late early hopefully possible series made available purchase ca fact show hit mix said many ways egg egg mix flour sugar got terrific tasting cake one person show funny hit everyone involved everyone worked great show truly make like great watching still cast quirky amusing great past still love theme song sung star great show quest watch varied selection randomly made grab one good flick get go booming spoken word recital service poem bard movie drama stilted romance brawling collection gold ranging bearded wilderness men comic search adventure next drink scenery rich put pretty good also good always good story aside like add seemingly nondescript film also one frenzied realistic ever seen movie nifty though predictable ending star affair decided going go though movie something time time put way interest regret time methinks side movie made june fan fact though name carried film enamored queen favorite character pop though see one winning lot people side grub stake say though looking back moral movie tough guy even think getting girl may met raised eyebrow sense derision later hey take tour well shot tour uplifting well lovely informative engaging easy watch interesting informative already st follower little slowly making difficult stay fair deal money fairly good movie would recommend people like crime comedy fairly good plot old movie video sound could better would suggest someone reprocess story good video audio quality poor like copy copy recommend story retired interested telephone history saw movie television first came definitely b movie still entertaining much better quality available elsewhere highly improbable ending worth good actor funny although photography audio poor quality subject matter quite good interesting take geography middle earth good complete documentary follow lord good description area background excellent little dry introduction life thought j r r would great see place connected life informative interesting thought could think time could spent think would nearly inspired wonderful countryside fan much watch even thought know quite back ground much information included extended version unique format found interesting documentary map middle earth compare life love appreciate information become bit redundant worth time interesting film fan gave technical quality film good blurry shot ratio computer use found many background really lot elfish language based welsh example must see around world great information background story middle earth came learned interesting background landscape bring life man behind great great information insight creation timeless literary work devotee perhaps enamored passingly familiar middle earth enjoy hour review life shape middle earth show general countryside specific contact shaped middle earth attempt analyse middle earth tenuous many quite convincing mention focus proto environmentalism experience great war overall fun stroll countryside early th century interesting documentary speculation insight forged imagination easy watch setting desert unique extremely informative real life like quite genuine acting presentation enjoyable us must echo positive deeply felt great sense peace watched film thoughtful explanation monk community world would love meet worship men day wish color film bit vibrant minor complaint sacred spirit film seeking god going process monastic witness individual god prayer song engrossing film curious alternative film watch documentary strong enough encourage learn subject well produced documentary fine job history homeopathy th century present day made clear much conventional medicine time likely harm good homeopathy provide patient gentle approach line oath however mean works film like feel something rather nothing homeopathy good alternative unnecessary drug treatment many resolve due course homeopathy probably also strong placebo effect particularly combination collaborative positively relationship treating homeopath however documentary provide evidence efficacy beyond placebo effect belief homeopathy effective however fact remains tested blinded clinical homeopathy show effect utility ie giving patient reassurance something rather nothing usually disease symptom would case resolve accord unnecessary drug treatment providing placebo effect good explanation homeopathy found informational put rest well done documentary historic figure whose leadership impact school everybody needs study much author plan realize expansive role history watching interesting film well done piece documentary informative discount none abide humility towards end achievement simple biography filled much great history well documentary essence c original footage give glimpse accomplished remember documentary written produced perhaps recognition credit given definitely know accomplished military history find original footage interest accurate portrayal interesting look c varied easy follow well done personal note army brat student military history found multiple worth time smooth streaming crisp audio possible given individual well chosen impact history since well known figure today forties choosing capable ethical person needs times particularly appropriate well done biography well produced properly balanced documentary career life truly gifted patriot political context best good balance excellent work video like care interested anyways video get better understanding subject without research think watch film exception sound track music like way loud commentary hard hear said cat lover delight several cat many never book would also perfect someone thinking cat needs type family particular breed might best good introduction thorough breed featured reason give star rating left common popular like coon enjoy greatly would recommend anyone looking introduction different kind cat would recommend video anyone wanting learn cat quick learning tool briefly explain breed recording slightly outdated information still current found cat video good education tool pure entertainment must see pure breed cat fun learn please consider adoption first approach feel like video consider specific ideal world would great considering homeless pet population need first take look already need sorry preachy wonderful video different cat great care cat covered informative would contain good information project informative interesting may find bit dry watched entire documentary learning different cat wall cat head going different blast watching cat watch informative enjoyable program one favorite world good job really show many feature country lovely educational entertaining abbey beef cabbage topic country home laudable surely worth presentation save beautiful national also intriguing see current personal keep relatively intact even livable sure would seen differently simply preferred however find documentary bit slow dry good movie place beautiful castle inside place would like go day stunning documentary beautiful well information historical must watch interest history via uniquely grand documentary thoroughly enjoy good old technology documentary giving honor great saint understand better life padre showing last days life one imagine meet saint participate mass enjoy much devout catholic satisfying portrayal padre also quite balanced account life surrounding popularity recommend highly great production today documentary well rounded comprehensive history shroud interested found fair presentation available evidence husband bought birthday else say award winning final season simple life good still funny really tell fake season contain original extended premiere version also contain episode guide insert like previous contain special like last pretty good show bad release completely season band supposedly season finale woo band little birthday party season highly doubt coincidence simple life still although season season maybe time call quits love funny know people said season least simple life series great season especially lame reality great love simple life series although definitely worst series still entertaining even though know set even try hide fact season set happy story town doctor goes head head mayor mayor town build road doctor concerned health town fighting hospital comes money used two men cross mayor doctor health commissioner without income town love people tragic accident mayor daughter critically injured hospital treat decide important far ever sweet heart warming film well worth seeing story glimpse life time modern try pretend story better told fun way youth might relate prejudice based law affect person thought even close person spoiled arrogant behavior son man prison example behavior prevalent among current pop media film wish modern theater would take look small b movie mae terrific film barefoot boy film inspired poem name title story intricately plotted touching young film make story great heart warming moral story young mae younger vain sister discovered film reading recent autobiography little girl big youth wen times happy free think got first real wen high school movie selfish could hurt family selfish wife put husband first god spouse movie sure everyone else much must reasonable fast thoroughly enjoy wall street cowboy entertaining right point without side last long like old time singing cowboy one republic wall street cowboy august b w fully digitally born age musical rocky group international formed group bob spencer sons group known dick finally included cool water tumbling first western rhythm range starring bing went solo made first starring film western made almost came television show ran production staff nigh h darling composer music score story line plot molybdenum hard gray metallic element used toughen alloy soften tungsten alloy also used like opening song gabby ray happy go lucky bunch quick paced story west new york back circle r save ranch gang would land molybdenum found skeleton canyon property story one modern technology cowboy life early scene good guy trio block road passing car herd cattle gabby ray share fair amount screen time usually kind dust always good way best start brawl night club divert attention share trouble picture cast rancher gabby gabby peggy roger tony miller barlow morris big joe roper henchman jack henchman brent henchman new carr young fix aka franklin date birth death apple valley gabby birth may new death burbank aka date birth red oak death crave action drama plenty adventure check western western double entertainment vol san vol canyon vol old robin hood vol far frontier yellow rose western entertainment home classic singing four feature colorado sundown big show come wild country ask carry many available yet order pick copy entertainment collection pick double check new book empire book reference trivia scrapbook paperback reference trivia scrapbook written western film historian whose thrilling b western yesteryear us back childhood family wish come true wonderful past pen top box office draw republic went see big screen got exactly marquee said plenty action hard riding song two thrown good measure country music hall fame member sons king got horse trigger rode every one trigger age thirty three dog name bullet almost many trigger theme song happy written queen west wife dale wife dale hall great western national cowboy western heritage museum member sons hall great western national cowboy western heritage museum three death miss one empire hesitate rush pick copy today great reading days come guarantee thanks collector character identification chuck old corral b western bobby j author trail talk empire buck life buck bob author real bob interest b b high drama one anxiously waiting please stand take bow western total time min republic never knew gabby dancer actually pretty good story line pretty good well worth time never nonetheless gave fine performance plot typical course still entertaining prime made even enjoyable love real tough guy truly look like super hero ultimately w still best like enjoying lot glad ordered husband really watching older movie gem day today nice see would see like old movie brought back special effects except film splicing cute story great looking watching movie took back afternoons dominated animation truly enjoyable watch young action look forward childhood explore many prime thanks best movie us old cowboy good b movie seen worst would watch well timed foray past top game however film went black left go although late decided take role character probably decade older actually gray lovely see anything wonderful convincing transformation gold digger semi faithful wife duff someone know bit rough film good morality tale sympathetic role employer husband two three past experience worth four five gritty tale everyone expect happy ending instead getting heart broken like end movie would watch nice b movie fondness actually better love brainer watch fan add film exciting look birth fierce people concurrently afraid fascinated chasing killer following team tornado across quickly story flying eye hurricane exciting watch good history one time great power great place visit amazing music soothe soul especially times stress tragedy documentary prime example power music wondrous thing music story courage encouragement well give depth added dimension documentary less well known aspect perhaps manila better known definitely interest psychology music chapter often reminder hope endurance video us know effects war important piece music loudly nicely done bit history enjoyable content usual travel video great film interested rich culture combining beautiful location footage dramatic good narration earth sure interest good documentary would like seen little bit sure government film limit could show looking humorous program diving history interesting medal honor winner seeing time made deep impression still also touching interesting prince atomic testing information interesting still live ammunition deterioration show dangerous fact nature benefit fish reef nice personally watching learned something well put together film war never made home remains war film maker superb job long period left behind give movie star rating found informative right area good documentary however bit interesting course cannot beat price free good job narrator honest account rising higher w increase young people joining racist neo rise resentment intolerance general population documentary light increasingly cultural cross either accept reject cultural model whereas growing anti immigration focus policy unfortunately taking directly already country guy simply one willed brave men ever seen say anything spoil anyone courage power beyond belief film think inspire better life thought would found interesting see view climbing foot result car accident great climber accident determined become one spoiler alert incredibly determined summit really moving moment even one spent last wisdom decision continue really best footage climb really like want know like navigate icefall example good movie watch seeing dream work succeed care deeply really film positive encouraging watched movie daughter chapter history book always love extra reinforcement one pretty good tad boring monotone narrator good information really segment spent last country known overall available free prime membership interesting patron saint parish belong brave holy person want study history went share love god actually brief history south told love beautiful music video good job music help explain turbulent history rainbow nation found thing underground rail road know familiar people involved north miss fact abolitionist based helping free much political destabilize southern economy try prevent build toward civil war thought film thought provoking problem past two stop start freeze two watch minute film sometime gotten worse since resale hard go content constant strop freezing starting used pleasure norm enjoyable well done although basic documentary excellent cheesy overall worth watch one better underground railroad seen abolitionist garret focal point story documentary good job pointing abolitionist thwarting spread slavery cute family movie love nature scenery coast beautiful nice little comedy former waitress florence jean back old roadhouse bar show around bar funny show lewis bond name probably enjoy seeing show although excellent character actress appeal lost without cast said always favorite part series deliver great character still intact show especially mother added plus great around sit watch certainly anything air today thing miss doesnt love came good cond hell kitchen simply family cannot get enough watched every season except two watch one soon reason giving four instead five menu navigation terrible season ordered difficult navigate one episode next within episode experience one hope future season much better menu navigation hell kitchen good season everyone knew mid season going win season spoiler alert hell kitchen everyone knew would win year white man win first season white woman win second season think would put season three black man course almost feel sorry rest going rock knew likely certain civil possibly even threatening get way would win season much competition year said rock win also wonder final competition almost pointless watch knew going instead actual competition would thrown rock attitude past similar rock political correctness place feel good lovely dubby story man living harsh neighborhood making big bull special reality show also truly sorry future people get show future discrimination onto season four maybe black woman person win next season race talent love hell kitchen season wait season comes like one little bit wish still thank accent love love major would like two season would closed show better tell happen group season favorite closer season title wish motivation sexual mean let get real many number beyond sex really enjoying show watched maybe two air seeing pilot till season enjoyable streaming closer great lot depth lot cop show well written wide range unusual seven binge watch days closer season three within agreed good condition closer since first episode next nothing supplemental material season good first two better would sure nice see something beyond episode season price matter wish would make longer begin watching show good show like law order show kept attention like police probably enjoy show like show much like seeing boss realistic unbelievable thanks never watching series fourth season sure nothing compare first season prove squad said watching third season one realize vastly superior show flaccid spin major life complicated personal life much major currently overly preoccupied rusty character whereas deal life menopause impending marriage house hunting major spend time trying increase cute quotient want remember made compelling watch season three see occur combine create something far beyond traditional police procedural great show secondary best show disappoint also great actor hooked series entertaining human people actually cover first season nice idea little much political correctness also little maudlin times although mostly balanced presentation pretty good like crew fellow chief pope also movie burn reading equally good get see much series great job also interested see real life wife bacon husband series keep wondering whether ever goes work mostly stays around house cleaning looking cat exactly like stereotype husband thatcher finally bit us version prime suspect way nice home kind rival like enough continue watching final th season really closer watched start finish completely people get away hard get man al cost swaggering female like role well also man come respect revere knew job well enjoy watching closer smart compassionate work team everyone various get know come together positive way gift item person gave happy purchase additional gift special worked nights recently retiring get chance see series often find laughing loud office beautiful look mother perfectly cast see show popular every actor really character thank thank much show together murder done catching nut confess lee southern tongue amazing really watching show listless disappointed angry time listless disappointed angry show watch closer season still edgy feel sense dark humor par two perhaps flow show entertaining prior still avid fan continue watch thought show provocative still able interject humor thought lee columbo one iconic interesting cast get watch one evolve different ways season particularly enjoy meeting different love show able watch show demand easy especially love pick season want watch many strong season though also couple contribute uneven season bad quality series terrific real stand help make pale comparison ruby comes mind specifically powerful good show watch show strong female role think young ladies see show air great love watch time enjoy story line always interesting cleverly written closer man job well great great cast great writing predictable entertaining improving disappointed watching season final season watching prime could watch season season leisure uninterrupted definitely one favorite believable quirkiness season quite good last two still much better love full season watching order series funny sharp love blend together stays idea work funny hopefully new appear season really enjoy series like however season enjoyment catch dialogue regarding streaming version comment version country season great way catch need need get thanks season vivid lull creative process ten different story going like said still love show closer serious bit humor southern appreciate react love closer season great awesome convenience watching time kindle thanks really enjoy character brilliant job bad personal really admire box thinking staff diverse usually mesh together find truth right fir honestly recommend series always enjoy acting story smart dialogue vert sorry see program end watching closer seen last half dozen first time enjoying seeing sometimes get different program different episode closer weird give every time correct program season season good well care season ending choppy feel like caliber great writing acting experienced fluke looking forward starting season really like closer story good like unnecessary show overly gruesome time team come trust group many solve trouble involved watching first two series attention taken catch police lying aha seem base see well fun interaction amusing entertaining get bit uncomfortable lying inability correct insubordination probably like disregard yes love watch come together way get made always enjoy little humor human weakness keep series interesting times show done far acting goes writing good humor surprisingly good generally acting great little fantasy bad caught backdrop thinking possible fantastic cast wonderful female lead character lead like miss series watched working good want quick cop show fix wish clever well written interesting flawed yet working try solve major great acting great writing great show keep think best like lot good soap like information closer character driven drama love never boring excellent writing story telling perfect good detective enjoy older series still little sometimes great love instant interesting way chief interrogate dingy fun watch romantic simply distract otherwise great show best worth watching drama humor closer love watch show almost fighting temptation stay night whole season like run watch fast paced world female assistant chief major department mostly murder rape right mixture seriousness humor dramatic effect well done highly recommend always great deal humor stellar ensemble cast set great season strong reason prime member enjoy watching era seen several times find available big disappointment quality playback prime trial period yes totally predictable corny get mood one really wallop good movie warren fan good film best copy movie found reel good see couple commitment communication watched stormy evening perfect thrill rating movie good gave insight men alamo film black white old era made good movie love history insight history one ever really know took place alamo rather three big travis bowie crocket movie everyday farmer rancher specifically one men actually trained war episode hill lucky luke v series best series great poker scene big fast pace highlight get great mix action western comedy definitely ought remade class special effects enjoyable scenario great zero budget grade z special effects enjoy hill light spirited comedic work renegade k renegade luke better name nobody trinity fun well paced humor slapstick exaggeration quite fit mold nothing really overdone star weirdness film little choppy commercial transfer besides video audio quality somewhat poor end abruptly beginning rough hill name example hill even worse ways cover image renegade exactly like one completely wrong none really detract film little jarring take getting used advertise film part lucky luke series know like film directed director famous trinity series film classic trinity slapstick except hill play trinity one bud spencer one part great classic hill modern day western one better sequel original movie would better see first one order necessary good horror story nice killing horror movie vincent price always excellent supporting cast good thought terry role long name probably good going go script somewhat like mummy movie trying live forever nonsense still good movie th time seeing print terrific film worth watching message need kindness preciousness human animal life clearly sentimental would suggest film attention piece story line really suck rare early open wheel footage neat see intended romance racing thrown dont make sense racing see footage make film child like show man still like plot back good old days effects would like see least let buyer chouse format may watch may enjoy would start collection show family days show watched show back high school seen since decided try unbox pilot episode hour long pilot must movie back day nostalgic trip enough go back buy whole season working way show cheesy times fun remember fi television like back day enjoy post apocalyptic world future picture quality fine small standard definition course expect much watching big screen something like special effects would laughable today like story line heather psych illusive title find finally around people watch media case lazy get change use watch turn potato old air course remember quite corny favorably buck th century around time pilot episode movie less getting new story although change reason leaves city think series go one season would found footing taken maybe still glad regret hope remember show enjoying thought would wish would release season set could watch although technology really series really television version run starred title role heather randy main story premise original movie made short lived television series interesting note council aged white haired men revealed pilot responsible keeping city operating despite ongoing public propaganda one past without renewal even solicited join council series nice roster guest included linden cartwright mel hank kim stone nelson lance clean family friendly glad see added instant video format closed available hearing great special effects blue screen late limited budget acting half bad one project heather movie barely episode child something episode stuck interesting episode great twist check young watch watched kindle fire good story good acting movie good picture great problem clear picture sound good clear would anyone thank great product pappy get tell adventure history family would love one like unbox low budget access audience case gay audience claim acting directorial achievement say able identify glad watched remember many gay obviously gay theme necessarily nostalgia entertaining coming age movie thought relationship two teens summer vacation beach great younger brother bit much bit top acting fact lot acting bit top movie entertaining love series use watch didnt get watch quit web site series instant video little doesnt pay could rented would done description series would told watched third episode far better season still making poor least interesting character along way real life dramatic talking like interaction real love show quality took get satisfied l word quite disrespectful always little jenny gender identity fluid important much living good life noble supposed funny sea possibly feminine high voiced woman world see play female male let get sexy butch play kind funny get almost playboy la lipstick gay settle l word lot fun become cult actually interesting story know much longer keep going though good slow exception however still fun sassy sexy recommend must l word worth buy item although mind blowing season one feel part ever view season plenty erotic never heart worth every penny spent look forward cute see couple lasting great introduction wish idiot sometimes cause fourth series l word pace interest story several new sexy join cast examine social personal story open many single attached parental deal minus guessing wont minus sex less story love writing good want first three series perfect balance heart sex mind well done yes ironically series deaf lead actually hearing show great unbelievable oversight pitiful lack sensitivity well common decency part long time fan regular viewer impressive chick drama l word bit hesitation approach season four hesitation often season four much trying top last season end either unbelievable unrealistic would especially true stunning season ender three ladies said fan favorite dear literally stood altar fear season four l word one bunch ten solid unique first inclusion much new bring stunning shepherd newly professional woman dealing husband disgust shepherd almost show like dealing newly found self plus talented much deaf artist complement style strength forceful performance testament skill style welcome addition show new add fun mix seem like mother military babe finally relationship intrigue ever lost bring usual show especially beauty rose job army seriously despite post traumatic stress disorder somehow butting relationship fairly predictable return nest kit falling wagon becoming new love new relationship brother shay ever psychotic jenny trash book could giant mess lesser expert handling make solid group stylish stunning smart season course buy ending scene jenny sorry felt like bit fast passing even unusual foray tournament poker would joke interesting seeing turned bought servant regain life peach attempt talk shay class homosexuality stereotypical error teacher write scene make realistic however strength show always relevant today audience authentic way watching someone transition male fraught decision war conflict fight afraid discuss race physical disability age mature interesting way tuning lovely ladies pam pam day week happy season four series really click substantive writing better even jenny slightly less annoying really miss new growth really make losing best addition terrific actress controversial hot blooded artist finally grow little find th season good previous love like moving quickly seem person without season three really thought l word may shark say entire new season collection writing made major come back waiting anticipation season next year additional story added show year much real thoughtful hope return next season allow jenny take year bizarre continue make want cringe think one best l word period highly suggest give look great year watching much product quickly excellent shape completely watched satisfied purchase fabulous great program love free spirit wish show still air every minute watched season within space week though received week finding hard write without plot suppose way sum like l word buy like wish think could see premier season may incorrect work fine technical issue product work ray specifically made connect tried ray picture show would sound wrong image system like l word season lost cable subscription catching series ended great character show provided look inside life something taboo well written great direction production love best season since season fact may better season really stepped season buy every season except last one crap face five fun peter seller movie peter various somewhat dry humor like wife lot fiendishly amusing peter funny man story line completely absurd whole point fiendish plot fu one anticipation since first decade ago release b film nobody chance fondly remember movie would scope know care simply see best peter movie around middle character assumption know something hell never seen fu movie even one lee seen one actual sparse priceless fan beyond pink panther buy one simply want good afternoon chuckle based humor could much worse buy film know film comes people yet really see harm remember film childhood hear peter making last film could done much worse story briefly quest immortality fu leader diabolical tong known sai fan lost supply elixir immortality potion careless clumsy servant burt character pink panther line evil doctor look familiar elixir many must stolen thus crime wave yard help agen joe cousin famous al sai fan back work call smith fu arch rival retirement help solve crime story evil actually good way really detrimental world favorite include scene infamous doctor plan kidnap queen plant gas render unconscious anything smith later comment burbank would joke go people funny film think easily watched young saw old nothing note also saw pink panther came well always judge violence little fairly harmless peter always master clown enjoy watching last screen appearance outside trail pink panther count well worth seeing age come movie right frame mind open bit silliness great time watching peter last movie leading vivacious young read less positive final movie peter career respectfully disagree saw fu originally hit back ever since become one collection lot fun watch peter amazing talent memorable evident pink panther works judge one harshly movie meant pure entertainment analysis heck peter movie one many check waiting one hit least available rent maybe far weak seller fantastic worth seeing true peter fan new peter order masterpiece far pink panther famous saying panter good see one peter movie see glad bought since guy feel genius movie matter weak script big plus movie seeing actor fumbling drunk waiter party rip saw away ago think possible take format perfect radio convert show without made original special sure life show would show could watch set instead show visually mentally appealing would let add chamber fun film watch great cinematic art us venerable house wax vincent price thriller house wax original wax museum see huge marquee commercial museum turn century missing fortunately paddle ball attention getting ballyhoo artist drawing front museum unlike young people today stand front china clapping draw attention passing street fan fu series even though fan lee merely consider inclusion fu bonus feature interested genre series chamber interesting little mystery interesting like parker laura making lovely eye candy ladies handsome neal vincent price type villain white also hand lend touch dignity distinctive cultured delivery always welcome film read originally meant series bad turned series could today run cable also bad inclusion dreadful gimmick fear flasher horror horn supposed warn shocking scene follow turns film camera turns discretely away anything gory shocking probably originally meant network television annoying gimmick would definitely improve film keep realm mystery thriller hardly fright gimmick would suggest horror film house wax artist owner museum demented villain staff exhibit wax covered chamber museum good amateur crime gloating past charming artist impeccable manners ability duke killer neal white successful author bizarre criminal also rounding cast tun tun assistant museum nine foot ego accompany three foot stature according white character three make incredibly likable trio unlicensed always willing aid reluctant police inspector mash series days personable policeman becomes unfortunate victim neal dapper shadowy one armed villain even days republic madame full house tony cameo appearance cast blue blood concerned negative reputation psychologically nephew giving family name first aid white museum relative temerity steal jewelry insist marrying corpse faithless lady hair shabby collection chamber equal house wax really however enjoyable see set used particularly crisp neal quite skilled soft spoken murderer whose elevator reach top vincent price could versatile actor distinctive voice perhaps used big screen equally skilled good kremlin letter assignment kill much less serious spy romp matchless period mystery enough film offering us another look wax museum filled horrible little year ago warner trying compete fox movie series number fi horror cult fi cult camp classic series still us horror double two already bare even included although good shape guess must really abysmal pull plug early whoever came put little effort room release least share connection absolutely nothing linking chamber fu fact made chamber intended pilot series white wax museum also solve bizarre show never dramatic lack screen violence throughout unusual ending girl found shown instead marketing department came horror horn fear flasher hook people film successful box office taken unofficial remake house wax even chamber pretty good atmospheric old style cinematography delightful turn neal demented killer building corpse people sent prison scary hardly quite enjoyable nonetheless contrast fu direct sequel face fu dependable director sharp lee time though producer harry allan cut budget instead instead also gone green smith although admirable job filling story written pseudonym peter fu famous order coerce helping build death ray really thriller horror film director sharp manage interesting set lee best material good chamber still entertaining really belong wish coupled first fu film found something else put chamber fun right mind going pay double feature still big box look already chamber meant pilot possible series revolving around amateur sleuth ladies man titular wax museum owner suavely handsome viva las guest star crime author partner white third man many many movie wax museum passing resemblance vincent price second wax set enjoyable little horror mystery whodunit flick franchise bad never white easy going chemistry together aka tun tun mostly short stature utility man although many film experience known extensive television especially lead laura patrice parker subject unreleased tune also starring smaller crucial familiar film big heat norma voice sally narrow margin killing h house series small role beer dive barmaid unforgettable one tony small fairly useless cameo directed film veteran love b real columbo h screenplay steven star trek batman spy thief mission impossible chamber quite pedigree lead villain vincent price role ably veteran mad magician king rat night gallery fear right amount menace tempered true madness marriage ceremony picture tone nicely chamber probably way salvage studio investment deal fell obviously castle inspired fear flasher horror horn seem cheap attempt spur audience imagination substitute gore effects film audience since taboo television predictable well written script professional direction average acting nonsense unnecessary tolerably quaint film quality outstanding nary scratch spot would look super ray pick cheap still always like humor movie original nutty like waiting cult favorite finally semi available bad yet update film available brief movie man murder fiancee murder corpse holding clergyman demented say trial transported train prison guard goes back luggage time convict bolt holding train river cutting hand ax story around revenge sent prison detective find behind latest semi horror show well done spite melodrama interesting footage wax chamber detective works true mystery although audience know killer famous past interesting man currently well done film turn century one unique flick horror horn fear flasher display sound time killing take place really though gore little blood shown picture frightening thing soft spoken killer strike nowhere police film may keep glued seat suspense though wager find entertaining worth watching least suitable age yes suppose year old would good cult classic unavailable much long hopefully soon p bought husband valentine day listening life far watching night couple time interesting something spend time together really choose cool ordered club paradise instant video need watch funny movie set find anywhere else little steep quality perfect need watch particular movie instantly find crackle great alternative great solid movie lots fun feel taking chance every time buy rental demand movie rented one motion film aside fun film made available worth rental quality image excellent drug white slave trade life nearly every turn style midget lady cage priceless beautiful grace film price even opium pipe drug den order try save caged final note movie good double feature recent release house similar price change forgot funny movie movie brought back laughter would love order future movie hilarious great actor would li awesome great comedy prior perfect classic language bit harsh movie yes smarmy sweet yes morals yes b w yes family father mother strong family love care denigrate family current crop holly weird good family movie grab popcorn enjoy happy find movie one carried seen movie came look opportunity view yet plan soon read grant determined view lesser known one gentle surprise screenplay witty good also work today grant simply top form throwing breath ease grace really cast good enjoyable grant always brilliant story man whose wife every stray dog cat mention orphan two already three quite enough wife take little girl couple small boy going go vacation expect plot plenty laughter well plenty tender dominate movie making mushy obvious predictable like boy leaving frustration mother fine take anything given later one comes information outside naked apron put defense clothes except gotten said take bought delightful movie type unfortunately make tight budget money well spent room one amazingly dopey restrained even based autobiography grant anna rose dreadful drake philanthropic foster parent poster people room drag bit truly make film delight never seen film made interesting watch anna rose several though adopt rely welfare day help raise lot film interesting shallow look system one struck seemingly cruel whole country back jimmy spectacular fell radar boy iron leg braces show family culmination shedding braces joining boy course gravel voiced little famous little kind slightly vocal buster type really something angry flatly shoot also impressive ben talented larry warm hearted average dry keen sense humor somehow slip hilarious inoffensive gay joke dialogue watch since refuse spoil around classic look even director mark excellence film inspired lots deeply taken doubt understood learn since relevant today love fun show buy glad watched one forgotten grant enjoyable one cast great nice see grant real life wife film still timely great family film great movie tape awful every picture audio video absolutely adorable film poor quality video free cost would still watch bad movie reminder kindness love patience family community surface may seem present way today complex simplistic however abandoned supposed give sense security unconditional love need someone patience kindness love well sense fairness justice much today film made foster film good watching film always help lift harsh world nice moving movie wish would recommend one watch love older especially refreshing worry content seen movie watched one found grant humorous many inspiring costar drake movie complicated overly done right mixture sadness hope encouragement laughter inspiration show thinking back well enjoy without buy whole season particular episode stuck head well go back get get right computer within cheap nothing still fan great film tony lesser known jerry lewis film exquisite beauty really worked well fi deal last episode show recall watching obsess recall wondering knew last episode dress said effect dig call quite shocking times considering still show still intelligent script doubt season realism taking republic bold b w color fully digitally bob starred several coming republic lone ranger republic also distinction starring republic first color film bold republic brought life screen great crusader zorro classic silent feature broke box office shown nat got idea black masked hero silver screen screen zorro character republic great script department busily came exciting bold starring role feature color first media put movie record book actor zorro color time also first talking zorro production staff root director grey composer music score fought rode way exciting film add doubled ace handled daredevil dangerous two masked character short period time beginning another prestigious honor bob screen career would hold distinction star wear variety screen actor cast zorro heather angel lady sig governor lady captain long pin martin pedro king martin de alcalde de woman chief big tree tavern willow bird peon carter kirk sergeant henry morris perry thundercloud zorro aka date birth death march heather angel aka heather grace angel date birth death sig aka date birth death root director date birth march buffalo new york death march county thanks collector character identification chuck old corral b western bobby j author trail talk empire bob author real bob interest b looking forward high quality vintage serial era b order copy plenty available stay tuned top notch action mixed adventure title check b total time republic change usual action bloody would recommend movie enjoy change pace lots action really also use imagination fan zorro since first saw mark zorro tyrone power read book watched version seen series guy know far ever made best one fairly close behind dashing intelligent hero well lady bit spirited feel like could longer film bit character development given time pretty well movie light hearted though stays clear much darkness well thought character would film barring couple though perhaps love anger make people act irrationally good stunt work good writing nice good evil ending best kind horror spoof body vincent price peter play body glee hilarious vincent price live father law old never know whether awake sleep basil show guy die price try got love vale event like weight classes time limit biting eye also similar early fact many cross trained like modern unlike though event ring v c man tournament format alternate fight addition super fight dan beast familiar tourney include big daddy cal always game competitor technique big daddy tough always dirty tourney check event bare knuckle nastiness know married year old woman think husband ya know really like show much like reality even watched first episode free hooked guy mess unqualified disaster still something odd collection aged frat really pull want see get together first episode season really great picked moment season ended get whole story beginning stealing truck breaking onto golf course country club get away better looking forward rest season love show upset still bad language show great bret always hot cover say unrated back description rated though special unrated cause bad show good opposite flavor love say bret fan would buy unless waste time first like say bret right make show perhaps little sex end comes nice earth guy good time rock n roll rock love show vein flavor love clearly inspired bret lead singer poison trying find love life reality television show looking girl love handle promising indeed first season certain success two rock love rock love tour bus respectively one thing sure show elevated status star famous wealthy truth season interesting cast series opinion heather memorable first season entire three like c entertaining say least cast varied leave lasting impression watching set season added reunion show glad many hilarious bitter guess get trying get man living roof one mansion funny see bret trying deal everything mansion keeping control time trying find true love know reality show really fun watch harm season rock love yet perhaps first season sell well thought would buy unless fan bret really want already television watch well show kind guilty pleasure much really love reality particular show reason give set show one forcing buy season want buy please clear uncensored really reason complain know know get particular reason however extra heather cam food fight enjoy really much bonus review rental film good excellent fast paced story alcoholic cop people murder may prime suspect cop perfect hound dog look role also good rental el caiman interesting addition wave new cinema marked past decade unlike television focus city el caiman us sleepy corner see teen humorous society local band take wing find romantic success beautiful daughter landlord caiman find success ultimate police recognize cut short obviously film ambiguous ending rest well want closure political film either brilliant police note film sexual content nudity non graphic violence fair amount profanity several series miss history automobile series like hate movie film absolutely susceptible treatment attempt review without revealing anything really see goes watching film nice experience first story much character driven plot driven strong consistent never would director put everything advance story nicely secondly recognize work strong enough performer character made care next thirdly photography capably done single thing like movie gave four reserve highest rating truly exceptional film exceptional film good mad spent two watching also call recommend glad rented perhaps even glad purchase get wrong really like show part hulk hogan hero growing watched religiously every morning said season really want see hero sitting toilet business beef show nonetheless rest entertaining show funny remember honestly childhood none less disappointed probably higher quality version season pack prevent anything watching though removed legally little disagree previous reviewer thought pretty good season opener maybe best ever certainly bad lame episode really funny one attempt reconnect josh getting mad show country jenna page pete sneaking around together show close lemon jay leno overall thought episode really solid better star rating ordinarily show however one character beginning develop less less tolerance fey lemon creation episode men old song getting tiresome ironically since fey show great episode hilarious unable resolve two pick one jordan usual hilarious self always borderline sane role incredibly stupid doctor hard believe guy draper mad men two polar action around lemon different one weekend think season fey needs go back drawing board rewrite lemon role low play disaster men aspect tiresome point let lemon spruce bit need frumpy currently watched first two season wow terrible writing extremely weak make broad bad slapstick wicked humour nowhere found based seen far skip season hopefully season better edit spoke soon season massively goes along first two aberration four rock one long may continue make us laugh finally found site onto creative since work happy find site far worked well thank every show office season finale even development feel bit tired season rock turn get wrong still lot laugh loud mostly pretty solid show show latter half season office bad man getting brutal better end especially step frame overall disappointing season thankfully show found footing th season brother law us first second season like documentary style almost want work office fun easy watch still good quality standard made first series nice various role first series love eureka series quirky fun overall good quality biggest drawback fact least episode anyone know final episode see brief description button p gentleman suggesting suing read unbox user agreement actually anything purchase unbox license view product license may revoke reason really show would definitely season first season seen first season though need check first lost aside mac please shut rating compatible hardware bad mean show one star go write snotty latest game work mac simply compatible computer would like going writing negative review ford transmission work chevy please stop silliness hurting hurting fellow make impossible get actual consensus show quality course really compatibility unbox could gone spent money spent fancy g instead bought build pretty easy equal better performance digress great show please stop screwing mac ridiculous use incredibly inferior player attempt overcharge us future make extra today process pain player slow respond interface odd poorly built worst video crisp stop insanity put back music video hey know customer money even show admit took long new setting new four great episode small degree speed hope able continue show sort pace make laugh blame apple love proprietary making station transfer live onto player time miss episode reception unbox great source catchup also unprotected plus content works plug play drag drop hard drive thing play content aka regular old listen music really attach string two old dixie tape one one stereo bring cup outside far rock boxy hell standard common good mix fi comedy occasional splash romantic entanglement recommend everyone fi fun series centered around top secret town given mostly free reign research invent sheriff show comedy drama intrigue far compelling fun format even though fi taking eureka seriously still think one best currently television season two taken much serious tone previous season still creative fun wait season come great show love science mayhem weekly basis show also dose comedy ya well enjoy heart people drama sparks imagination science fiction heart gentle humor show fun smart season clever season long story line artifact comes conclusion trouble genius get smart great actin great writing humor especially want watch every week thanks nice show funny great technology good great pretty track previous good job unfortunately second package defective would play two worked terrific eureka really people like want know quirky fun series fun fi comedy light potentially believable lighten mood hard day work story sticking series light hearted look world would get see could potentially happen people world one place imagine could left must see everything action comedy drama romance great cast really bring show life sit start watching show want stop episode one like want keep watching watching enjoy good deal comedy probably enjoy eureka certainly plenty serious regular mix comedy keep getting dark kind like x plenty serious unusual people lone keep perspective second season must anyone bought first season investigation alien artifact along emersion sheriff jack carter eureka community many budding new may seem less odd depending perspective high brow part although based conceivable research eureka town mensa develop rest country anything happen go wrong good quality excellent still crazy cardboard fold cover hopefully rest eureka stay prime think great would love continue enjoying great writing acting eureka moment solve almost believable problem fun show works well kindle great show good acting lovable quirky cast great show enjoy story stays pretty consistent tell written see series originally fun great acting good story line interesting plot action episode quite different run mill video interesting watched sitting two decided watch series love always new found character stand watching always like one character show wish would go away wait watch next episode tonight eureka small town strange happen like people coming back dead coming nowhere man driving rather arrogant daughter town car forced stay eureka car thoroughly sheriff half whirlwind traveler take place apparently little genius town eureka quite run yet even destruction artifact fact eureka get worse show writing becomes better starting flame second season eureka confident well balanced previous one quirky humor tight writing brand new territory carter walking around naked carter colin henry joe trying adjust past carter also convinced future unfold solar flare guy violently soon people start carter link someone near may next meanwhile pentagon remove stark global dynamics big chair replace wife awkward pop season personal ice death falling debris headquarters invisibility frozen grandpa carter becoming unnaturally attractive attempt recreate big bang apparently turns everyone except carter artifact effectively presence still felt autistic son formed strange connection brilliant scientist deadly alchemical bacterium turns iron gold rust may lead showdown future current running second season eureka henry subdued little boy life danger worry thankfully switch far dark zone focus always first foremost everyman sheriff deal horrific crisis day fact second season easily relaxed pace diverse array science based robot lots great dialogue jo made seem like sky falling since ionosphere hilarious comedic carter naked public shower zorro fantasy sweet grandfather coming life eureka debut season really blossom one knack physical comedy better lot life jack whether weird stuff realistic threat ex wife taking daughter eureka also well try adjust new well sparks get rounding jo touch inner girly girl genius mean maternal experience touch family also deal possibility dying particular note feeling dark pathos many henry us lost leaving us wondering worth trio make solid guest particularly myth scientist second season eureka sticks humorous fi angle well definitely great little series stay fun suspenseful take show seriously refreshingly original enjoying hard day work mind reality mix enough introduce new science based fact theory really thin absurd fiction show entertainment right across seeing preview another set cute series w ensemble cast grow love wish would air give chance like reflected author c third three prediction eureka town magic scientifically minded aplomb harry potter place people explode fact almost frequently refer founding principle pushing science product collateral damage make job new jack carter easier carter one normal town blas various mad science downright unsettling look real science buck star trek variety talk theoretical lighthearted need appreciate carter long actor goofy uncomfortable demeanor well character normal sheriff depth originally low series fan due small part awkward yet convincing characterization season show finally onto plot cohesion centered around mysterious artifact existence universe nod alchemy late series magic science well one dichotomy pursuit knowing science contrast belief unknowable divinity unlike eureka season finale involve much issue less resolved last two series jo carter psychopathic deputy love life rogue hacker carter daughter dating ultimate liking heart gold stark relationship ally latter stark head town psychologist also engaged industrial espionage get comeuppance later wreak minor havoc last two series ending still left eager see comes season consistently great show second season twist turns humor first far good clean show enjoy unusual fi show every week something little ordinary enough mystery suspense keep attention yet still within realm believable watch show originally recently prime found even though story line somewhat predictable corny times find show entertaining enjoyable watch almost season fun kind quirky show town full genius one regular sheriff upon town delinquent daughter job nice people normal everyday work make better world sometimes make cause snow inside show sometimes world ending mistake get together bumble way fix problem kind fun love show fi buff say crazy show times keep within realm actual phenomena wud real superb small little sun whole village hand dull enjoy watching show fantasy lack vocabulary made people use course language make series seem adult took couple get interested series plan watch amusing times fi thrown everything think go wrong town sheriff care usually end show great science fiction enjoy much would believe set player repeat let run night near bed little weak get real depth science decent little way pass time working another project sometimes farfetched go flow enjoy show somewhat lightweight stuff sometimes want character development throughout enjoyable overall good show good reason shown originally fi channel awesome show show family based little bit feel like show entertaining without large sex violence season first multiple plot show clever story interesting watch science hilarious love show got great deal shipping fast satisfied plain fun fi pretty hard find rule good character development sound technology base good acting writing enjoy series cable since ending cable service would like able watch previous ever trip free overall great purchase quirky unbelievable slapstick times find loving hope place existence like think need much brilliance one community although would call fi buff truly enjoy show ago probably comic strip detective dick wrist watch also camera communication device lived long enough see something similar come life long first spaceship went orbit flash another comic hero circling distant spaceship fi many boring enjoy seeing imagination men become reality eureka concept unique town full thing recipe disaster lot humor found series funny entertaining strong help liking hold interest really show great ensemble cast imaginative creative writing really sorry see end would highly recommend anyone husband science fiction really like fast moving season entertaining first husband never asleep watching love show drama show back mildly interested came attention recently figured like many fi tend imagine surprise finding belt trope science ignorant sheriff constantly suggesting common sense complex scientific old much show amusing fun even strained romantic try insert never understood apparently hard successful television show without inter character romantic entanglement bottom line worth watching want light hearted tech pseudo science show funny different find brain new sheriff hero episode little hokey fun eureka hilarious show doubt like science mind ridiculous futuristic pseudo science love town eureka quirky though times ridiculous perfect love show lost mail right away e mailed problem resolved quickly thank watch series start bad longer family show watch entire series family night drawback broken case eureka take watch really connect series way eureka interesting town never know might happen next like story slightly beat world portray scientist know lots beat seem show currently might happen second season overall entertaining show pretend moralistic anything entertaining enjoy colin much really great fi show enough probability make seem plausible relationship done well intend keep show watch list good great show enjoy watching great part prime end enjoyable show easy watch attention lighthearted enough entertaining great main well modern actually worth effort turn boob tube eureka one take one part science fiction one part cop show one part comedy shake well test tube get eureka show around town sheriff pretty much average joe sheriff town filled people planet one first learned job high q guarantee sense even sanity comedic often priceless sure stopped watching air glad found love quirky town really enjoying marathon prime funny carter one best come along science fiction little much stole many star trek people show made difference really like show would accepted could go another long series diehard come get writing eureka light hearted small town show vein northern exposure slant strange interesting highly recommend funny serious fi action drama lovable unbelievable laugh minute outrageous like enjoy star trek series would enjoy somewhat light hearted series find lot fun end second season good one good price season two wish season great price ordered season one two three three point son starting watching season one hooked great imaginative entertainment received season two several quickly replacement process easy thanks great customer service eureka season two excellent fi series engaging enjoyable enjoy watching week first season eureka frankly found lot tad flat especially gripping storytelling much season two main much every way show second season like also especially important season one got fleshed season two especially good see finally get involved story way pest pain season one late season ever cast sheriff carter sister really nice addition cast none important greatly writing although show continued tad episodic taste many interesting usually find show type several pretty original even somewhat derivative unique nearly every way show cohere improve basically got entertaining season slow building lots havoc season havoc drama fun watch looking forward season simple good show wife enjoy watching together little bit everything like show entertaining forward thinking science close look may come soon science good think good bit thought goes would town video quality eureka season excellent highly said rating actual content season would given star rating could really watching season season bit interesting season whole show light hearted thoughtful time good interaction various definitely recommend watching light hearted look possible future lots phony physics graphic effects well knew season one still look forward episode one night program love show especially romantic triangle sheriff business dod executive also love latter two married interracial couple big deal fact dealt fine finished season sheriff interest someone new wait see like way introduce different show believable although script writing weak sometimes overall like science fiction based cool enjoy show like watch one best done shame never get tired watching know expect keep seeing though would try show watch different si fi seen would recommend series one great good show funny think really good show series good little time waster seen worse premise kind cool town pretty much everyone one kind genius comes new sheriff genius basically trouble get show exactly comedy although sheriff plenty comedic relief way mixture barney fife imagine combination show worth watching really first uniqueness second third along quality dramatic pause show know actually remake twilight zone story special effects naturally much better time character development great show eureka series clever dialogue writing acting downside per box relatively entertainment happen episode broadcast august yet see unbox open try pick gone episode go good slim story like angelic presence wish show bit broad spiritual great season kind short think could used background show took get saving grace end season sorry see end watched prime well worth time four interesting well paced enough make sit sex violence though wish solution grace sudden foregone conclusion individual entertaining taken whole compelling everyone forgiving grace also like supporting cast series story softly cynical sometimes comical presentation different detective series dodge real question make religion seriously sympathetically sad first character relationship opposed religious comes across little nutty show great fun deal important thoughtful sympathetic way long fan police buddy blue forward video genre heroine flawed person still pursuit crime injustice self destructive hope good outcome looking forward second series kept wanting see next would recommend people like lot violence love family show adult entertainment enjoy relationship development earl hoot enjoy police action personal redemption enjoy show think show like detective work show adult show think saving grace great show lot sex drinking smoking like religious tone earl trying impress upon funny sad thought provoking would open mind edgy entertaining need watch order make sense watch small listening saving grace wonderful show dynamite cast grace complicated relationship family best friend make show worth watching job detective also extremely well done worth watch turned great show show lot adult material nice view series beginning seeing series almost like coming home husband lived city nearly thirty yes familiar probably familiar even non building memorial concept interesting grace even favorably angel detective much around lot two one married one night driving drunk pedestrian trying resuscitate god really believe miracle god earl tobacco beat looking angel last stop hell earl job help grace save going easy girl got blaming sister building dealing abuse priest child imagine show pretty gritty grace redeem dealing one stressful world squad seem low profile talking little threat hotel think anyone holly could pull performance great earl well show excellent character place tension script occasionally bit hokey one aspect giving place looking forward seeing run start yes also real place well kyle sometimes little neatly good providing good message entertaining difficult task show pretty well show interesting premise good detective series twist interaction two major really interesting fan holly since first seeing raising many ago series first bit cautious normally big fan fast paced crime drama television days humour aspect along spiritual aspect drew one like cast along southwest charm insight aftermath city occasionally weave way story case grace full passion forget moment believe old times almost like point free spirited living life strong woman look easy get series revealed perhaps way indeed sad revelation character father murphy gripe angel earl guess taken dog love bulldog also close whole name earl thing season season two like small potatoes anyway ham fear randy fear coincidence perhaps although ham small randy variety ostrich strange point guess anyway show think earl leaves behind may may mean anything go along good time grace really examine decipher earl table great show one get days every wait watch tape watch every day till comes around adult mild nudity usual cable friendly profanity charming part unapologetic real thing check two see perhaps like show tried watch every episode bad still absolutely love show bit top may offended grace basically anyone rather kinky love price tag picked two one deal season one grace go figure psych easily favorite show television right interesting original show seen long time first season much better season two still worth hilarious hill best comedy duo since jay silent bob apathetic cynical ex cop father timothy detective biting ever sappy romantic spent time exploring budding relationship lassie partner know overall definitely worth collection especially first season wait season three series full little great corny personality ever feeling even mood good mystery without much seriousness show far favorite episode psych bought complain video little slow phone audio perfect could fix problem video would give highly recommend episode stop laughing get like twenty absolute steal psych remains extremely entertaining well worth time money enjoy birthday gift family member really psych season said quality great special great plan continue get rest season become available occasion nicely excellent really came original case price fair well love many detective common one different know make laugh show tell friendship series getting better goes funny highly entertaining love chemistry together great price beat target price season came less first season poor quality category much better character development part plan run television currently plan getting season soon come funny goofy kind show sometime would laughing wonder seem fun acting whole thing plain funny weird time really like show witty funny entertaining since recently season last season thought would go back beginning watch saw movie thought give chance since personally interested theme movie academy award movie certainly attitude time personally thought movie considering type life movie something see living hand hopefulness courage movie rang left feeling desire stay hopeful important life see movie uplifting experience expect academy award winning cinematic experience saw movie several ago hoped find good available watch instantly really want big fan power collector someone release happy th century fox finally library classic film enjoy never available never part box set although favorite tyrone power film admit enjoy film matter fact always really fox time period regardless film word note cinema series bare fancy type film still better nothing case series series never available let alone historical film story surrounding building canal lot license telling still well staged starred husband tyrone power worth seeing never married young napoleon wife fully entertaining classic waiting obtain movie offer streaming home able access option would nice someone would offer format even vault offering home use goes along offering song south classic film mother request tyrone power fan giving well power young interested politics led eventual construction canal although know accurate reasonable film quality given age original review combined four family season best monk ever especially biggest fan bad three daredevil however especially rapper friendly episode reason give set monk season rather new recruit monk sister trying get watch show busy recent illness gave time first hooked ordered every season watch order th season best season far seem fleshed point audience tend forget watching crew carrying complicated enormously intricate script probably best written show television today daughter big monk could wait come ordered soon came finished watching delighted quality writing originality feeling different brought emphasis much however monk came gave us several great fear quality decline though monk season recommend anyone would say first season notice trouble coming new interesting think worth watching concerned season may beginning inevitable point series going downhill keep crossed season monk old really watch plot mostly well done pleasant rather riveting new series monk free air television new wait series arrive mail disappointed series better last love way monk character stagnate marvel writing come story would got five took one dreadful big must admitted fifth season monk rough monk got bit limp obsessive compulsive detective still going fortunately monk still one best television sixth season monk grand tradition solidly written quirky excellent acting tony even better two part finale really monk absolute best season monk tony needs hire despite restraining order bachelor auction work bizarre case dog accused killing someone dog murder took place needless say eye among detective deal framed rapper murder nudist beach investigation love life stolen safety deposit treasure daredevil might insomnia going undercover cult painting hobby shot even investigate ted story turn toward end season monk lead six fingered man struggle six fingered man dead rural sheriff monk monk innocent determined find framing police conspiracy motion solve murder caught monk bit rough patch fifth season simply gel monk written strangely fortunately monk season six goes back series enjoyable couple work like rapper creepy little cult better nope sixth season string solid murder lots baffling obscure new monk despite murder bittersweet comedy well slow demolition brand new car still plenty bittersweet going buried next wait hilarious dialogue profession stonemason huh last two sixth season among best series ever produced seemingly straightforward crime story suspenseful dramatic genuinely unpredictable story us death tony lovably monk never turning tragicomic character cartoon want hug monk give perfectly symmetrical solid job monk assistant show warmer laid back sides gray consistently fun puppy eager randy disher even getting sing cash style song monk apparent demise sixth season monk couple rough brilliant near end obsessive compulsive detective still quite bit work ahead clever entertaining usual overall give like love love monk tony gorgeous like season really good funny could done without rapper three love far love monk much glad season really personal opinion hate anything love monk buy love episode perfectionist art monk clever scam every minute best episode monk certainly one better enjoy watching thought however go watch specific site situation monk series hilarious entertaining mess success idea behind season monk strong certain still fun season role monk biggest fan monk tony find framing dog murder catch dog murder took place fun monk captain ted new murder daughter first drive monk job security guard bank catch robber must deal shooting spell cult leader season five mention occasionally crossing line character caricature problem fact several row near beginning forced dealing nude beach rapper painful instead funny done feel hand still many good especially true two part season finale monk accused murdering six fingered man fault acting four gray disher continue great life disappointed got see couple times sad watching knowing get see late excellent monk may showing age still fun entertaining welcome season watch gift daughter husband subscribe cable love watch shipping time perfect got season six specifically first episode monk biggest fan hilt monk exceedingly well cold shoulder end typical someone daughter keen monk could wait come ordered us finished watching delighted quality writing originality feeling different brought emphasis much however monk came gave us several great first episode last series monk always always give laugh season six good keep coming first let saying still enjoy show bunch monk one series try watch every week episode still formula murder monk part case still quite interesting part season finale great certainly hope keep pushing case forward however hand good deserved better maybe limited due writer strike according individual slim video certain first read thought awesome idea entirely original see often boy severely disappointed video traditional sense instead got say fine felt bit misleading call video feature one commentary track monk stays night tony ted gray director producer fine track many dead however sixth season monk still good fun despite lack well worth definitely tuning season seven wow time cable watched show last year say pretty good sense whether one season another good nostalgic particular season particular partner monk fairly clear headed assessment new season sixth season unfortunately two time seen monk thankfully set three four problem first two sixth season feature surprise guest expense usual interaction monk assistant first episode guest star monk fan much less mileage part first fan season show second episode sixth season show guest star snoop dog part episode also monk great theme song mediocre rap version song enjoy monk times sixth season show try substitute enjoyable monk regular big name guest really fit set monk almost complete enjoy watching often great shape monk fan however one saw would recommend superhero returned ten eight rather season one six eight show full heartfelt unlike reality fame fortune biggest liar superhero different tone show type character hero core competition bond way really touching particularly get final three remain aware competition often encourage one another bond one another feel bad someone leave lair also grow least one really stepped faced person people living childhood dream superhero stuff admire show plenty goofy fun ways season cheese factor lot silly special effects added post edit plot point worked regarding evil found endearing may season many obviously either emotionally physically first six team people truly heroic incredible best audition could come still show lot heart kept wife fully engaged watching six first gave could better exciting oh would preferred someone else take seriously try choose interesting course hero clean cut family man production much better time spend money making special effects interesting credit weeded television think raise age one struck young big superhero fan saying right beginning anyone reading know might towards show start watching show going knowing show take seriously eye rolling corny cannot believe actually said straight face effects ground breaking meaning word genuinely heart warming drop superhero act show deep inside facing truly people like world would much place good wholesome family fun recommend anyone trying take world moon set every episode every season well worth money wish episode included reason gave would love give series great reasonably intelligent however going solve case long monk said could blame direction suspicious close solve case later strength show acting humor comedy times laugh loud season one great made write series episode monk three story obvious homage interpreter six writing outside tales coupled acting guest star made episode time great moving good show age many people already written content suppose need say anything except like lot want say product got complete series well nothing even though like new merchant selling first series except one disc series four play normally hence rather overall satisfied finished watching want let know disc one season defect one one sense locked nothing could except skip scene remainder ran season far continue update review view remainder series problem always monk watch show least times still show clinch star much enjoy monk series series ended complaint hard separate weird enjoying show think collection good except maybe one episode one got stuck little one episode one episode many collection really see big deal plus one small portion episode rest fine fast past one little portion everything else perfect quality yes get small came edition series funny great watch description said several true season season season description excellent set one best detective ever thing keeping giving fact episode guide come set set worth money bought present great entertainment minor several watched whole series monk admittedly one sitting thoroughly delightful series end may find taking affecting monk also series murder wrote name couple series monk somewhat along line light drama mixed humour need shocking sex violence depravity looking monk filled bill watching monk somewhere around season upon finding ordered whole series might add everything came nicely worked perfectly one pet peeve stand even realize anyone besides monk assistant obtuse self centered character could filled year old valley girl may discredit valley watching beginning series saw monk another assistant difference know left midway season mutual understanding always left real reason thinking becoming popular monk wit humour backbone intelligence best part monk first three half making wonder think subject excellent season always improving role depth obviously still self monk kudos main supporting also quality good switching monk offbeat highly amusing series find touching parking reference main character quirky find saying make sense lot enjoying monk lot humor lighter side crime still lot watch series know like show want see jeff say next show entertaining wonder bravo people could work jeff end product beautiful also love wife watching show social dynamics interesting break see action times tried someone tried us without ever show bit annoying especially comes elimination portion show said viewer open mind show episode eventually show learn becoming want psychologist would dub person ideal self might initially thought cheesy quickly fast lot entertainment watching show least behavioral used many social dating think wife would like office would enjoy seeing sequel pick artist tested honestly plan interesting spin notion swooning good question work success rate dependent upon prevalence works yea world lingerie mystery us superb taught lot whole thing thought field test lame time overall show consistent good watch one must read mystery get real feel obvious show reveal everything mystery lot fun watch supplement reading watched entire season weekend got instant video thought much better show saying woman think great learn equalize situation nice get radar even though keep saying want want nice guy got real kind jerk get attention begin show us kindness think meeting comes naturally men show men struggle good life take trip another world reality change oneself one best series worse ever start see move forward pace obvious improving every show entertaining second season good acting interesting plot miss real physical used original series oh well watching show ago great cast good action believable story whole seeing imaginary ghost robot annoying worst part season kind sick looking forward watching series saw reference big bang theory hooked surprisingly thoughtful well written watching prime let plow quickly would highly recommend series fi fan sad hear people compare original remake especially since probably born young first version version drama side lots special effects pretty look difficult constantly shaking panning one best fi produced one say different better original considering original one expensive time different ways watching show somebody play board game check somebody put lot thought usually like hooked watched season season even better first many ways importantly season complex good evil one major like show plus awesome also good acting supporting cast watch show took awhile story develop like trying find image within picture often picture see time image right beginning season wait see story crew rest humanity travel farther space search earth continue interesting become still enjoy complexity deep character create great morality politics take center stage later part season really last two season took new direction wait see season second season first always suspenseful make hard stop watching series still enjoy watching although season little great watch without lot different opinion one best science fiction sure premise nothing exciting man made advanced tried annihilate however show human race search home vast dark lonely universe show great job dissecting human nature though fantasy genre show insightful realistic way great series st good series bad good since similar first different enough new initially remake old series show really done wonderful job concept much humanity show essentially examination must say never fan series speaking worker watching season one hooked story line complex particularly character development episode us information prior attack understand season much meat series full many searching spiritual path may find interesting journey good action high intense drama great holding interest fan fi feed need fi deliver imaginative theater special effects creative story line watch episode episode newcomer previously coming world star trek watching literally every trek episode ever made something new tried instantly got hooked fantastic fi series flawed want keep watching see next thing whether relationship drama another invasion season first brilliant season left us new story behind show revolving around religion finding mysterious planet earth far season goes keep short simple decent work gritty deep character overall really entertaining show also manage fit nice comic relief well also cast show fantastic fine set single show lastly season us nice sub plot far season goes think quiet good first season rather strange say least took like said little much religious well pointless killing certain character also obvious filler hate say quiet like much star trek comes close think absolutely best could show second rate television network quiet many look forward rest series new movie coming although new cast idea season epicly grand series cheap hesitate day day doorstep waiting longing dashed hungrily searching season ray first comes box opening case inside like inside like disc doesnt tab flip case much hence taking room set piled top different position allow view three episode disc guide behind last two main back ground tab per tab exact series begin awesome show date favorite fi series nature drama something hard pull without sounding corny effects especially like resurrection ship part two brawl beautifully action sequence valley darkness well go full know even god would angelic episode cannot express except black market horrible totally tone series whole small price one pay awesome season one great job tone dark epic series season onto great whole cast also abortion dealt quiet well standout last edge seat season finale lay part give everyone guest appearance couple fantastic screen authority vigor show every review must criticism first television special razor would make sense set time frame huge geek already new series miss moreover special much desired disk last disc video quiz character best small insignificant stuff also regular version exact detailed behind least gag reel matter insightful could special part whole package deter anyone immaculate series content instigate someone buy first place besides one horrid episode weak special much could ask ray version season tangent aside remarkable series visual style intriguing highly recommend remarkable work art buy really old fi catching whole part series missing almost perfect better old version still really watch remember came hearing great great program binge view extremely likable complex moral well worth watching show pretty good action always turns awhile plot becomes predictable really good cast form may season series ago watching really well terrorism racism universal lot second season plot device like trying extend story still feel better reflected four star review series amazing gave three however bit great show good seriously many though plot quickly quite interesting often unexpected problem predictable make extreme really possible relate understand coming much time still worth watch strength series depth complexity guessing going downside badly science series stop watching great see old kindle fire zoom across galaxy old made series first season still want second season disappoint saga human population many story ultimately striving find earth complex time entertaining would prefer rate type review watching got really pretty good sometimes little still enjoy starting season came late scene fan early season stop watching good series kill time good first season worth reason get season star trek star fan never could get original try series get little entertaining along goes strong loose focus toward last next season pick momentum addicted show even definitively say character development must reason story line clear like carve entire afternoons weekend watch multiple prime box difficult give series thoroughly one surprising plenty depth love series find times acting great story line original times lose character presume really enjoying series starting watch multiple time want move story forward always good sign want sick death job love love love number six still happy see hatch think great working way season three ending season one season two action going believe start watching sooner lot meaningful existential face hard science fiction standpoint special effects series consistent deep space watched original back day really enjoying twist old story effects way better interesting good time sneaking huge fan original definitely fan series original run like original take getting used remember original however series enjoyable retelling original one definitely probably realistic way might technology advanced hundred saw original series back day al series slipped came great able watch order pretty good wait see finally get back earth found series much better second time especially watching underlying much easier identify understand synopsis one recognize subtle interplay excellent special effects fi adventure become favorite recommend two three per day nice see insider point view would definitely recommend series way season found chemistry season momentum still pretty wooden leadership ship captain short role surprisingly credible bit petulant one tough bitch hate col second third episode hope hooked good season kind dumb overall pretty good interesting plot great drama made much science fiction deal real disclaimer watched entire second season yet board full bore first part first season series becoming increasingly soap opera predictable update june much second season soap opera hooked could contamination control must see really fi show rather drama us human religion decide people interact world glad free prime video might never watching watching series original tone many riveting kept attention little times trying figure really even watching entire series sure understand well done original show green continue watch version watching really love show even second season good first sure show getting old losing momentum almost finished season feel like even start season sake season get better probably though season three much season two little little hopeless made made sense attempt create interesting story plot twist every episode continuously know end hold lot excitement big fi fan much days like wait come although good season still watchable gritty version star trek world season roar like good movie went till drama got way crying drama really need dont mind knowing bit crew season waste lot crap smart see going possibly end yep lots great single science fiction big boost known drama religion eventually take point looking good fast social drama making fall asleep end season getting interesting interesting cant wait watch season honestly season amazingly well done impossible compete keep level quality straight would miracle great show first great series world good fi popular acceptance fi long follow harry potter cutter fantasy seen past great season like artistic license taken last episode thought good job whole thing however two negative first series skipping edge good fi popular read petty interpersonal plot attract audience yet considering good job rest fairly easily second negative point way publisher producer studio us around tried season get money package might understand expensive series shoot yet also find strike comes getting get us many us watch th season comes possible also originally markup make seem reasonable understand make money suspect given popularity getting greedy may bit hope suggestion wait mo buy till price less give pay inflated show want loyal want buy first comes however mess us like without making widely known delaying release around exact punishment show dont play nicely neither please wait buy possibly send message loyal consumer behave even buy used opportunity generally make point buy new come support want see time going used series even tho one may know basic plot think good job never opportunity watch first series dope however typical season big time middle watch extended episode worst episode season would want make hour ten long exciting show current make great show watch try people video quality vert good good could live without extra noise rolling season another great season story never get old action always intense season season become less fi drama bordering soap opera still story good characterization well done new best fi series weak somewhat middle series bit great last leading slam bang monster finale wow end bone jarring great series action would like seen less imaginary first many quite skeptical idea reviving old show quite heavily though agree one best even critically television hit rough would say season show less perfect stellar also bit interesting really add much anything beginning season interesting finale massive grand ended show good note middle quite snuff end season show everyone forward year settlement new taken season place good length time occupation place emotionally take different one exciting action show ever done follow crew try find earth learn opening set quite compelling character essentially reset given different form saw ship chief head union president schoolteacher resistance trying wear force end couple surprising character death trial majority finale intriguing previous great character feature almost exclusively good well rounded experience middle section kind though nothing inherently wrong dilemma doctor factory good really register grand scale whole season good mid season break point get another clue earth whereabouts great season like bit make season finale building tension pace offering tide till end kind similar first batch season lost good hit next set sharp notice quality special available present practically every episode season course going pick show like stellar good season watch sure exceptional playback little grainy otherwise pretty good would recommend someone watch getting season new anything even rest series series entire known human population except us pesky less first episode show well especially season shine season middle little heavy much emotional baggage starship combat time even flawed human relatable well worth time sit bonus always interesting though r gang done better job continue saga epic way season particular edge seat taking journey life around quite good first two bar set pretty high first two incredibly imaginative creative world seemingly limitless however season like trying hard mirror current historical unfortunately think made good also might become annoying said show still entertaining still watching intense science fiction ever music acting style intense subtle irreverent yet deeply emotionally reaching however would strongly drama character interplay therein highly sometimes graphic sometimes base sometimes nature mature sensually debauched although believe one best science fiction series time particularly writing character interaction said one intelligent genre buyer aware series sexuality far beyond mean average science fiction one brains behind star trek deep space nine took view fi new series generally positive star trek stretch imagination fact tough compare fi show depth story arc top notch acting realistic special effects pseudo documentary cinematic style create unique experience unlike star trek depict gritty realistic vision humanity future first race evil attack human leaving left galaxy band together convey search earth amongst main acting good excellent particular admiral absolutely amazing command first saw detective gaff blade runner never could star series really mary laura also perhaps convincing female president ever love individual season starting season much crew forced occupation brilliant get see really put ringer change really compelling one favorite labor fleet small glimpse life hoi polloi really ponder life would like said season point really jump shark idea beginning series part crew occupation work main still gotten idea perfect people however season leave pretense act like people name petty fall love argue amongst worst several follow base ship love bed ship bed bright red plushy mattress definitely getting sick point overall love individual like season taking story individual great character engage deep moral however character morals take series still definitely must see television fi nice recap first two thought since retrospective produced last year would include season three anticipation new season otherwise excellent recap leading season three remake series outstanding acting seen two definitely worth continue de la ideal para de series great job story kept interested especially way version great story great episode leaves wanting see next order watch good season level season seem running interesting result continue produce nothing outstanding tried watching series channel get could channel many way fantasy fiction fan however prime able watch story got involved two story line sub appealing layered production excellent way around spoiler alert last episode tearing good way easy thing adult male admit best fi show since x edition crowded amazing must buy recommend great show watch ur like original thats good season two set set would suggest package small ship husband like futuristic almost done season onto season yeah great series pretty entertaining interesting variety plot care filler e g hero much better buy price addicted love less appealing overall great love drama great character building fun turns show science fiction human condition heart let go knowing fleet season focus politics glad see season going right direction process include possibility stopping without file one watch last first tried move one first top queue faced error message telling enough memory file file kept loading stop without file want buy would option exist although plot times lost find earth focus season high tension drama lightness loss rare instance remake especially television far better original gritty many fi series attraction great good acting acceptable effects make series one always excellent little uneven still excellent however think ego may shark somewhere around th wall outing four five way friend first summed first say agree entirely enthusiastic immediacy suspect idea pull leave way outside ethical comfort zone comes torture insurgency occupation bad thing since reality real war incomparably worse us possibly imagine personally though time series came also political movement unrelenting nature coupled real news unreality real political discourse quarter political landscape found watching examination finished preferable great familiar story line confuse plot high drama riveting usual interest wish shooting glad finally watched series many make us human make us inhuman hope enjoy much remember watching show loving good update every well done never watched network great able watch series prime without also enjoy camera high production quality fi new incarnation superb entertainment first two best show television otherwise huge apocalyptic vision end world born robot servant revolt theory human genesis sister interwoven minute intimate personal detail fascinating reveal individual picked engage main build towards exciting conclusion exciting conclusion central plot humanity struggle robot well savagery part odd tenderness vulnerability spirituality part like life little black white become evolve change scarred physically psychically never sense reality viewer sense involvement many echo current new like example writing whole exemplary staging well special effects advance state art television noted technology dominate fact many key familiar even use telephone intermittent audio shoot space look like jet like contemporary radar paper albeit trapezoid shape design like rest writing even small woven plot anti technology slant reaction revolt plotting writing remain fore transcending genre even mention subtle language speak soon talking already good stuff indeed season season left us human settlement new react armed resistance insurrection suicide depiction armed insurrection basic human response oppression bold extremely brave considering political environment time written early season controversial thus hard watch emotionally anything series feel show al refer read history history revolutionary war way world course represent us unavoidably film red dawn engaging insurrection fight example resolution new crisis space battle thrilling special effects sequence ever seen small screen finale also extraordinary mind blowing confluence impossible even remotely characterize without brilliant plotting emotional power fantastic special effects season tough time exceeding high bar set first two new beginning crackling ending focus colonial fleet becomes absolute much remainder season show sight shame physical psychological wellspring show crackling tension without view show crisis whole show admiral marriage long show trial dealing great great life death slam first two season cerebral less action first two still worth watching many great even come far probably fallen love mind psychological background story plus crazy watch first two absolutely need wait season rest us need watched season continuity alone make mistake season still great television quite heart pounding level first two finale season incredible leave panting say watched originally broadcast recently went entire series start finish pinnacle season everything place word awesome much better splitting season entire season even though fell short full entire season could watch without excitement first surprise guess wait season season lot plot overall least favorite great setup th season husband show always wash hair story line fi channel told make effort bring new may afraid jump season waver bit middle season season great wrapping new end season certainly finished strongly setting upcoming final season gripping style put five weak middle season worth love season three season far mind weak season agree pace season lot also agree criticism whole search earth story arc almost completely absent season many seen either still entertaining great fi development main good thing though see need episode atmosphere probably best episode whole series far television ever problem idea sacrifice capital ship like meaning course modern two story point view could say lose show really flying ship middle cluster base probably tactic could think even improvise sweet need surround hard work receive lee hero one follow lost capital ship invaluable modern medical repair equipment food process real world shoot like considering brilliant idea story wise dive atmosphere solution remove story big let great show wish able watch original run could applicable life know also relevant futuristic fantasy world set however feel season good first two seem somewhat redundant perhaps strong sometimes trying little hard politically correct attempt transfer world part reason watch v occasionally escape reality suspension belief overall season quite good average prefer first new saga resolved come next long bad absence filled many interesting show mythology also convoluted route like higher acting behind conflict entertaining like could stop watching interesting spiritual approach goes every episode even psych even machine always bathtub spiritual guide mind goes bac forth past future sure yet hand continue imperfection vicious different living since world world another interesting thing seem like big ugly bug look like human even thing attractive way look like whole universe specie oh well best watch without much compromise fun guess going season season three bit disappointing old formula anthology format format worked worked well series twilight zone old new doctor old new outer old new well x make one feel though unbridled passion want see next episode one two stayed true moving toward earth disconnected needlessly examining personal people already know defense season three last three definitely nail huge fan series season three library season four returned old formula earth distant horizon three known one season close distance sure many could tell without getting stale would see favorite getting another season fan bit behind show like year soon good review great catch people like us get fi channel due greedy requirement digital box expensive package get board series cliff overview free unbox sweet catching series great acting great writing special effects little sloppy watchable television season week making believable excited see take next season disappoint superb story keep series fresh set like potato chips watch one episode want watch really series substitute getting season set bonus must consider diehard fan series love way bring life approach special effects said disc complaint opinion could done package show remains best show television today exciting funny worth watching would see like fi one wonderful series able watch season ran great glad opportunity watch someone dead final revealed season finale uncovered fast paced action along good acting make look forward season season scene new tight wife emotional stability new carefully surprise mission series goes back search earth comes back life balter ship also humanoid revealed along president cancer overall eventful season probably high dialogue numerous stand best include defense latter trial six explanation projection defense taunting numerous people justice legal system script numerous probably biggest early new clearly technology monitor entire range electro magnetic thermal acoustic radiation yet resort tent tent search glaring plot continue throughout season conclude trial last cross neither prosecution defense stand unheard show give explanation testify overall still good show one best fi time great story great acting show wait watch next episode gripe always much tension episode point love could relax episode twist turns story line great absolutely love show show knock ball park season included every episode last one felt really went strange direction revealing much quickly case going work overtime make make sense sort realistic contiguity show case still worth depending next season could really go either way really hope better show really ground breaker far night time go excellent series really much drama fi show writing every season almost always top notch except weak seen series need bought series shame firstly never seen show love science fiction usually find lot fi low budget poor acting show however fantastic tell series think movie aside looking great story engaging exciting plain entertaining whole point get show get far well feel like could jump start watching show warning though plan watching old prior hold watching spoil recommend taking look take look free good fi inside logic needs logic entire human population size small town population war run dozen cover every press conference given president capture human population decide try help instead hurt bother increase food provide equipment industry anything would make life better miserable little planet clumsy illogical politics little town much smaller turning suicide first suicide universe religious hatred promise sweet amazing part logical silly political interfere fun look feel future gritty blade runner quality captain wonderful pock marked face deadpan authority boy son lee sure annoying year youngish al gore less endearing interplay head provide many best guilty addiction looking forward next season would recommend everyone series amazing story always thought provoking love character acting really common series low budget acting always steady composed completely perfect performance ensemble crew tremendously character perfectly cast cannot believe never watched single episode production even remember thinking would never enjoy show star trek show people different engaging interesting good drama good entertainer good action overall worth good play love good show like series little slow moving overall good series believe took long start watching show season far best series whole excellent show mystery intrigue spoiler alert something good poor people prepared something worse coming original wake star well anyone seen original would understand admittedly reluctant watch new version new version brilliant time third season little uneven end want sorry really sure yet use bob show overall new one along lost house compelling episode episode good show last year wow got something us canada th march great series best season looking forward number yes would crack season three solid basically well show plot twist dont make much sense think hard still enjoy good past time rainy day well new kept series fresh even season three great surprise season season even better story excellent glued really like life aboard becoming redundant guess many space finding new new thing lots turns little much drama else would received five got little tired lee season agree top reviewer link season chain season almost character development much deepen understanding emotional baggage main around influence explain many however process necessarily dramatic pace story progression season back fill new ground even season still better fi universe absolutely necessary series continuity understanding ordered series region release minute recap went casual viewer season three run initially turned new occupation story line admit schedule late time slot difficult stay tune series seeing schedule sans however interest story line greater appreciation direction writer chose seem fully fleshed possible even complex never tire gritty style photography unsaturated color high contrast use hand camera especially like choice give even space hand look person behind camera weird dynamic sure quickly becoming big fan season three would recommend however redo similar recent release affordable series incorporate sleeve set need almost thee thick still good series getting little soapy sleeping side get picture season last season left overall found season somewhat uneven several simply incredible less flat spite well worth price least go rent see escape new probably one amazing history television never watched show originally caught first movie several ago hooked season set show disagree post review designed help seen show make decision whether agree disagree section moving every season every show stand best come show good include terrific extended episode one favorite unfinished business also episode commentary addition ported web original broadcast video also included well never got around watching kind cool would appreciate behind type like sort stuff want pretty well presentation another really good set disappointed ray version yet find unlikely universal collapse consortium show better standard definition quite sharp high definition looking forward fourth final season terrific show also looking forward future series bit disappointed producer update woman even compare plot summary follow third season mind best series particularly new leading deliverance last saw humanity settled new abandoned multiple orbit lee felt prepared take get healthy glimpse harshness occupation showing interestingly better less flawed human hogan movement carrying warfare try cause much damage possible helping ground save series fall settling new first place humanity deal one riveting season opinion find right course earth mysterious plague striking previous show number ethical touch know disappointed season feeling ran long many stand alone weak would felt quality consistent first two dealing interesting complex thought got change long ending like series show like watch watch series first came enjoying prime young original series remember much come series much baggage great like lot vice commander season start get bit crazy prime example transformation scientist politician pariah fighter underclass also seem filler understandable extent episode season people really want watch episode labor science fiction show still get next episode feel like getting filler boxing episode come excited watch last couple finale season love rescue series fire fighter joy watch nail personality sense humor lot fire also pretty good job correct terminology season bit different bit dramatic less fire related plot overall enjoy much previous series could less sex fire fighting work related like series times top tedious series still book writing witty banter ladder get drama less firehouse ball would nice keep like firehouse overall good came show last two two best show absolutely first three bought fourth season high know great hoped hear th season back amazing looking forward look shabby mean still rescue doubt could ever make bad episode season good three realistic treatment dealing elderly family work challenge one best effect found rescue season entertaining watching like prior often sat edge seat wondering would happen next end episode however unlike prior found story lesser extent acting strong prior often found compelling could wait watch next show several season mind break much crazy stuff could happen tommy season four question whole lot thought pretty show included prime membership know pay extra watch way keep long term happy get together excellent th series plenty usual wait season let start saying best drama ever seen said season meet first three even must collection season last season ended fire house tremendous season punch gut three get wrong every episode episode wait watch next get wrong season great company set bar high previous almost impossible achieve suspension disbelief truly enjoy forth season rescue gone implausible right ridiculous show still funny gritty ever proving yet inner conflict rage well actor strangely season end much cliff hanger leaving wonder season take rescue whole new direction best series offer found season worst lot far entering home stretch show bit trepidation overall though season good way still look forward concluding want watch entire series bottom pit tommy life spiral downward see truly sad well super funny season enjoyable much tommy still involved needy widow cousin also making ex wife since brother numerous mention funny sad tommy self destructive funny occur right top sad daughter whose life also heading nowhere money enjoy show many memorable family fellow fourth season bit melodramatic hope season move closer formula made tommy tragedy well quite remember beach house end previous season rescue know investigation make hectic tommy wife taking care new baby may tommy may late brother dean tommy baby safety come question well decision could forever destroy made marriage chief jack worse news steven grow pair new marriage neal big secret mike one series shocking relationship ex nun downward turn franco big decision make trying get back daughter tommy daughter colleen rebel big way new recruit tate impact group drama character development high fourth season rescue something season feel compelling done series also bit uneven feel number already established particularly mike despite fourth season rescue still solid season series season bit note big time come rescue entertain even impress drama come company although show one favorite television found season quite previous three acting still superb found story little far left field yet wait season show great funny still serious life sorry know longer air got together one apparently along way house teeth hold disc place broken nothing loose box scratches super saving shipping free prime watching three one half suddenly want plus meaning feel like bait switch prime told complain studio like reading half book losing basic story line enjoyable beginning closed difficult hard hearing really like rescue series bought add collection great movie would recommend anyone contrary written product set actually none rescue watching somewhere turn volume get action burning good show well plenty adult definitely missing season tommy weak helpless much time colleen become completely stupid annoying miss jack however fire chief wonderful tommy soliloquy given sitting edge tall building excellent still interesting enough make worth watching show may add cover art box set freaky thank much every episode family guy available purchase waned know long would take get episode available purchase must admit trailer film little skeptical watch entire movie however film completely movie complex times little hard understand however watching two people seeing faced relatable real life many gay people confused often ashamed today society film many people feel though act someone else lots envy suspicion present film face many throughout film battle life also survive acting film impressive feminist point view movie offended film hard realize many rely promiscuity survive movie actually thing outside box also hard may someone disclose truly would recommend film would like embark upon journey open different ways life film keep edge seat leave yearning little informative documentary native west many know find inspiration artist fascinating documentary story behind music well know person thinking saying jenna fat ever kind fact someone either really immature late school night orange county lived many real course character people watching could stand watch jo thought way much confidence slade guy sad bet season thought post comment malicious likely jealous people money mean hate thought overbearing hilarious smart gorgeous lost father handled strength sure see whole season get last season daughter sort awful first cheering landing sort obnoxious unfair met like see later sad good entertainment reality v doesnt seem anyway unlike interesting see half live buy season anyway still happy every night aloud watch one episode living patty always ahead everyone make sure go according plan interesting smart devious interesting series really enjoy series close scary suspenseful really really like much hooked first episode many turns guessing last episode watched first four damages prime could find th season anywhere back suddenly saw season prime watched later nonsense made want go back watch season probably watch little time see correctly love plot like crazy skipping time sequence see point trying hard confuse viewer watching try see get correctly hard probably would bought first prime reason think watch plot crazy time sequence interesting one make sure one got right damages would clearly five star show time whoever thought needs think seen show story revenge effects story ladies excellent also dangerous everything say undertone know number turns large number poor finally made partner generally good guy whatever patty close patty rose young associate specific reason kept butt know feel back forth time time travel show certain back ago three days ago four thing see often people watching everything say keep eye anyone watching seriously mention possible even though fair left apartment offer another twist would recommend heading together even would still say want watch another series complicated story line kept interested like format actor story well get fact lead character brilliant stupid time drama well mysterious engrossing hooked instantly acting well drawn intensity plot problem constant switching time present ago present three later however one used plot really along tried watch one episode day days watch least two season plot seen first season course nights entertaining show plan watch second season think case interest comes take patty character development like like see legal system realistically overlook police department district attorney office much illegal activity show stand real investigation guess saying like pick watch show also plenty talk probably like show replacement law order cue sound well anyways fast paced drama would give except repeat overplay dramatic effect think due flow show damages television series lot viewer multiple many art deception beware face value addition pretty easy dislike see could drawback world damages dark brutal one however turns plot structure story outstanding make damages compelling rose young somewhat nave attorney high powered attorney patty always believable sympathetic young lawyer whose sense idealism profession cannot last world patty close fierce intelligence equally adept showing occasional vulnerability amazing performance outstanding job ray lead attorney opposing patty secret great well three stand come together final episode stage set another fascinating season know watching good story casting good close perfect roll patty much given obtain financial success took git swing story got good enough order rest acting good writing good also around lot extremely well written thought hard shut know next episode right guessing time something puzzling end every episode close received several acting series great bit drawn produced series become spoiled war case less would many bit hard track time line applaud great job making best season question senior lawyer good bad perfectly balanced season leaving one process needs streamlined always want write anything yet force last review oh like show show kept interested start finish always marvel depravity also people decent morals suck world dangerous experienced story line forever entangling bad bad word entertaining best season hold drama first season stopped watching couple season series quite bit think could see quickly weekly show hold interest good entertaining series better stream especially prime good deal glad watching season watch time great perfect professional personal public shook together great see prepare new season know darn good show hooked superb acting tightly woven nothing given straight want something mindless pass time first season kept interested enough watch several time complaint possible intelligent adult entertainment without dialogue depending f many turns edge seat wait see next intriguing kept wanting watch see would happen next watching season first season completely stop watching good mystery ever read good mystery sprinkled many red soon think know plot turns however said retired attorney show could really give bad name legal profession devious series buy watching kindle close performance riveting present believable damages like careful show good way like production lot see everything unravel excited anxious everything subtle fashion end season series definitely going keep watching good show close performance outstanding lot good part cast love ted performance rose quite good fascinating however satisfied technical quality new bought never like run slowly sometimes jerky still watch show sometimes irritating go control quality good show deserve mediocre recording show superb definitely one best ever seen due ray ray picture indeed good better average transfer back show even one line one scene matter every single minute show something unlike made highlight like take long get deeply love one keep hold show answer something like lost one best ever made ever never show got prime watched week stop watching bad show ended would love see little switch back past present watching close really great intense watch couple time gotten way season interesting telling story mostly via patty first year associate high profile law firm join soon price success may much higher willing pay first day discovered first forced get sleep next day take many acting convincing trust one great show twist story much allow first season landscape viewer watch untangle piece piece somewhat predictable entertaining ways good writing production cast like crew pull great show five happy see prime remember wanting watch first late really first season got pretty fast bulk story tied last episode glad see rotten people good st season better half way season glen close always tough attention holding drama mystery romantic story would rate series good interesting show great series attention great cast story line wait watch season two season one pretty interesting series one cant figure whats going happen next much less would recommend people like good wife lawyer type good acting well cast manipulation little clever half worked flawlessly strained credibility got season really like able watch entire season without wait episode next week season also good watched couple season got graphically violent really interesting season faint heart grow bit end hooked bought damages description item language received otherwise delivery time excellent series excellent description show really show edge seat turns way recommend giving watch show drag keep guessing love close masterfully complex character love good cast part overall appeal subject matter extremely interesting little hard follow time greatly definitely great show glen close amazing actress story hooked hard stop watching general really hate always around time one made work think made visual time brief note time change visual change still told scene chronicle order made much less convoluted following flow acting say casting extraordinary alive felt real intrigue never quite sure whether love hate close primary really made know whether casting director never show air become addicted reason give constant time realize trying give direction plot better ways convey information like audience able develop case way time screen want flash end remind audience subtle may mind constantly moving back forth time disconcerting season great set little hard follow beginning end know mean really story line got bit tiresome follow glen close hard ball attorney story line compelling acting wonderful would given except episodic running soap opera still well done episode good set play one another capable win great show intense plot well done already half way season well worth watching think figured headed somebody somebody going even though usually choose less graphic show gripping almost second season quite good making detest great show wished go back forth time much acting good series really worth dont want go sit watch pilot able switch great picture good movie multiple complexity acting good glen close fun watch damages superb two alone close rose unbelievable miss obscure actress star turn main lead terrific series enough proof stay never seen close act well stiff past sometimes ruined depiction patty spot extremely well written show people get complicated easy show get couple much series best sense word moment least five six seem interconnect fun finding one relevance primary legal show interesting hand everyone self sufficient self absorbed greed sense self importance lead character rose fresh faced ingenue even gray exactly innocent cat mouse game patty close basis first season plenty stinging one uncomfortable dinner table conversation course show heartbreak play like sort horror film mood music cut seem place slasher flick good reason towards end series start making sense feeling nothing quite season finale proven right clear everybody double crossing everybody else principal prepare seriously one respectable gripping legal ever seen like practice look almost quaint childlike certainly series year right season two lose sparkle season one remains essential purchase four damages best pilot ever seen drama show subtle violent time leaves us wondering would lead watched stop series general good acting magnificent always pleasure see many real close speech try guess caracter however hope watch damages turn close pure evil one dimension woman seen fatal attraction show would become another kind soap opera loose interest holy cow great opening year going try damages marathon wild ride glen close hot still hot love know movie damages one great explosion given us chance revisit television might chance watch also us chance watch serial like abandoned important episode case damages series young beginning attorney rose hired notable attorney around patty close patty nonsense player win nearly anything make happen patty case likely client winner moment involved biggest case yet class action suit unscrupulous ted sold stocks left company nothing government unable prove wrongdoing patty company dead set people fair love war case nothing less war patty everything disposal try bring justice lawyer everything block make sure one even possibly murder thing show fine line wearing white hat wearing black becomes clouded dog seem like work defendant could tactics plaintiff trying make someone uncomfortable enough make wrong move add fact young case may employed begin end subplot main turns legal world courtroom often make dynamic grip opening leaving apartment covered blood last episode acting better direction storytelling technique plot along holding interest week week case disc disc keep mind solid piece drama piece filled adult content looking drama one would recommend definitely kept interest wait see finally figure trying decide whether start season want get caught close really good manipulative evil attorney stop nothing get found watching first season several time got end exhausted found none appealing want watch another season right away maybe never series burst onto amid blaze critical acclaim live series first nothing short next coming local network screened twice week first three addition many mean many late night mid day encore sustain network switched late night slot week coincidentally enough sing new tune convoluted dour new key measured sure little time also show apart hence title review personally find welcome bonus engage show film book lot attention imagination time show like damages definitely satisfying something like say anyone understand simply operate pass judgment anyone simply fact close definitely best part show one attention every single scene couple involvement show actually dragged quality performance definitely look forward watching show like damages truly interruption damages sentence fully worth attention enjoy good drama said minor flash forwards pepper entire season finale point dangerously close ridiculous used kind intense close quick like utilize enjoy problem one substance style get slightly grating almost entire first half season leak irritatingly little information intrigue felt like show carrot dangling instead tossing little interest aside plot feel like bit stretch however show unexpected get spoil fun negligible rest show show mainly young lawyer hired prosecutor notorious ruthlessly effective firm handling case billionaire similar case back financial stock retirement gone without getting important thing mention engaged close performance sharp convincing ted people seem forgotten surprisingly compelling performance majority around well picked although generally well known keep pace acting truly show potential mess could ruthlessness insensitivity utterly disgusting shocking many yet still found feeling bad certain patty enigmatic figurehead see allow every goes world willing go make case really wonderful heroine seeing character evolve adapt throughout season truly treat plenty worth need know well plot also excellent turns near make episode feel like mysterious yet thrilling roller coaster ride definitely pull genuinely unexpected although make feel kind iffy show particular incident someone getting hit car found cheesy unrealistic overall plot overly stylistic flash forwards eventually become genuinely intriguing intense hand tension rest show top felt unexpected anxiety distant majority show flash forwards steadily smaller smaller damages perfect show however hard time finding intriguing new show days arguable exception end season find itching see especially premise finale leaves another winner shield finally run year damages going strong new leg stand plot thick stage setting necessary get early settle satisfying hopefully long run riveting tale us much dark side human nature value story benefit stuff pseudo quest power respect justice try manipulate lose everything story would aspire kind people kept edge seat entire season close good since fatal attraction interesting story line glen close alpha lead law firm tough old bird great role brilliant portrayal win personality extraordinary season even season two surrounded bevy great supporting thing personally care much technique director six three later way telling story tend get lost back forward back forth maybe best way tell story personally care used liberally rate worth watching finally got around watching pilot show want play catch see look forward next episode time great new show doctor ordered amazing cast well written spine tingling close show watch anyone kept guessing great show like show sometimes see way wonder unnecessary real life probably love first season say didnt expect twist given end good story lot going though ready pay attention show watch well one want sit enjoy damages well done close love hate story intriguing well written well hard watch time leaves wanting show much flash forward back going follow plot line watch another season see maintain interest first season issue got impatient know first episode good general although bit top bit fuzzy long watch best thing watched long time like love damages season still disappointed interesting suspenseful drama problem repetitious shown many times series acting excellent major extremely well think necessary constantly replay gory enough well although dark glen close evil character humanity peaking back true evil side close bitch love hate admire love tough rose great naive young woman tough lawyer ready go ted world season one great thrill ride got watch get ready next four first season hope enjoy like drama good series damages fast paced exciting entire series predictable making greater suspense look forward second season never thought would hear phrase without seriousness parody x short season episode connected stand alone everything connected plot unbelievable finale two part narration ago present wonderful storytelling tool tiny window ago writing acting far typical fare really even evil heart ted close well rounded effective people thick web deceit twin minus cheerful agent cheerful people drama enjoy think current price bit high though enjoying much except occasional interruption connection start section shame direction poor series director chopped made totally disjointed series handled single movie long series much around difficult stay track acting first rate basic plot better direction could star series would without excessive spin forwards otherwise show gripping keep watching bad damages available fortunately without relive first four whenever want good story great integration music outstanding acting lead wonderful introductory season good show almost done last episode excellent acting moving season soon involved interesting plot good acting close great supporting cast good really enjoy version u region season disc running time movie size size video bit rate bit damages season disc running time movie size size video bit rate bit damages season disc running time movie size size video bit rate bit cast crew willful making damages trust one insight understanding class action interactive guide show wonderfully unpredictable plot faceted superb acting rare gem find days really like suspense show graphics blood murder little gory stopped watching toward end season although finish cause curious suspense good show well done well great story line flash forwards get show great like later time would prefer stay present however good reason close host star guest could program fail way season still enjoying good drama little shadow side excellent acting story rather slowly great suspense surprise interesting informative regarding law get around close stare feel downright gone season season complex enough keep interest keep guessing casting also high quality exception definitely breath fresh air stream series rather subjected constant network also nice constantly f bomb thrown us true form experienced dealing patty show ruthless point frightening story multiple really understand well season even know right telling truth writing show well done acting old old legal stuff great suspense drama one plot depth attention keep track development great entertainment entertainment several damages season tough complex plot make come back look forward next episode star cast superb damages good compelling cinematography great creative bit complicated pay attention one well written series find well worth time good video plot keep love entire series season five watched yet hope good previous four show first schedule allow keep enjoy great writing acting glen close presence intensity something expect good program people interested design much reality v get season thought season worth interesting number use suggestion show susceptible people great entertainment brown name comes lot conversation hypnosis well known series various well known yet know know incredible bargain able get product episode write probably imagine valuable numerous interesting personal favorite aka birthday present story someone birthday present preference language pattern combined handshake induction together subliminal persuasion really incredible work also see action switching works notice consciously much also escape attention even know even well still watch several several times notice learned new time know though appreciate consummate skill various one cold reading experiment used exact cold reading different said tee take word check various also segment woman perception car color probably elegant display hypnotic see publicly displayed known mind control would taken fi channel always actually like seem content zombie effects reality v enjoy little indeed b mind control show watch episode psychic watch episode still convinced guy talking dead well got get rich quick kit screaming name brown psychics mind fragile one would think revealing actually well highly recommend episode applaud brown exposure providing evidence brown relation beware proof indeed biggest alive available movie version quite good immediacy good raw rude stand like rated r stand comedy topic looking even mild limitation totally personal call wished longer thank material raw cracking prime member essentially free think would see minor preview content yes pretty obvious happy person filled joy life feeling many people outlook life choose keep top raw material stand heat stay kitchen unlike previous review found informative although sub title might better considering move wide range living also personal author experienced life web land job much sure given found web elsewhere reason bought much one place searching live bush around picture possible move life disappointed saw neck figured saw say music amazing yeah acting everything seen far worse independent arena heck seen far worse million dollar though anything else star scene sound track worthy four despite low budget film obviously creative lot fun probably end stylish sexy ode la script original th century love longing loneliness modern often strange urban world polished cinematography usual nice around surprise even humor l story st century addicted criminal intent recommend expect good writing plot acting since really right someone said although perhaps surprising times people believable one last really good last show first awesome would probably never purchase full individual like one like season much less hot writing better however go feel little sad inside change people change valued hotness anyway awesome season breakdown bring dun dun really like little freckle boy woman whatever vincent chasing white whale comes sickening conclusion still trying get used new captain always awesome series quite good cop show l criminal intent lifetime fan eric assumption caption major case good fit vincent character well watched series yet sure disappoint watching order thank near end season episode end game detective family important even dark subplot continued season complex frame far concerned really convinced superb acting series become vincent supporting cast tense face frame chief eric partner poignant sometimes desperate remain loyal complicated yet perfectly interpersonal timing facial voice abrupt fully expressive perfect true limited serial killer death row end game season frame glover frenetic mentor prof gage much learn watching particular enjoy law order even law order would recommend box set true law order fan law order special unit good show season pretty good season think one best point enjoy watching show glad collection keep good work thanks great episode great acting pretty like ending kind bad light poor girl instead trying really walk away get needs still could know something maybe seeing wife ex wife distance dont know felt little cold end like let walk away obviously kind wreck would least gone make sure totally got chance hot oh well always watching dynamics cast great buy soon try spoil looking review see already stabler many partnership season without spoiling work together entire season huge stabler fan may like season much real life time season pregnant real life however attached dynamic duo might bad point otherwise season would argue even season still great show charging almost show hit hard interesting like sometimes repetitive one different always sometimes jump conclusion people behave certain ways saying man right need without giving away much good quality video audio show felt like watching looking decent crime drama watch since blue ended run besides looking series like criminal law order reliable acting interesting watch season continue provide phenomenal chemistry stabler many fail live great addition collection although many absolutely fine play player digital sound excellent anamorphic picture however directed towards manufacturer produced label look uneven ugly obvious way let label mistake impede enjoyment since still able identify disc bought local bookstore still enjoy season law order despite read law order th season vary much path successful law order franchise chilling sex fast pace personal touch law order series sorely lack always feel lot pain watching show since sickening times two main stabler grab screen time compelling featured certain still resonate well emotion sometimes outweigh reason law order series fan might want grab looking depth suggest like wire five see law order unbox say law order great maybe fourteen eighteen amazing record think last mad shuffle assistant district attorney mouthful made show less enjoyable say seen probably found love fact buy individual since would huge waste money buy full seen material already forward great anticipation combing though perhaps imagine disappointment saw five eighteen two early especially since consider last show almost unwatchable hope see available unbox soon seen urge take look show edge fine new york law also much less likely remember original fun start saying bias law order favorite series season wonderful great story issue lack chemistry mean romantic bond bit believability quite dynamic duo use seeing law order however end still great series always love law order great show never old watch love really like episode sticks today science individual preference definitely better season watch season big fan top chef contestant betty season almost unwatchable winner also pretty hard like interesting always twist fun avid alike another great season although believe never seen another contestant unfairly winner contestant anyway aside lot creative input entertaining watch plenty good please hurry release much among season overall watching top chef season pretty cool may favorite top chef sometimes less lots later season favorite san great place start culinary reality show twelve chef season go episode show challenge like blindfolded taste amuse bouche mise en place relay usually less hour normally top chef kitchen winner advantage second elimination challenge week loser first twelve stayed fabulous house marina went variety like de lys best restaurant finale restaurant central theme top chef time elimination challenge place weak weeded work open ridiculously short amount time opening season strong majority hard working competitive clean way noteworthy fine cuisine napa episode minimal focus weird reality show behavior good villain tough competitor irritating enough talent make wish stuck closely format future firm amiable head judge comfortable success tavern overbearing personality solid yet somehow removed presence background kudos wanting needing make show lucky find personality like poor lee first season weak link decorative judge rightly wooden performance right fit beautifully second season decorative well edge energy food wine lent credibility season sent representative witty ted queer eye humour rare quality kindness first first season course various san episode greater emphasis food clean competition great start poor follow season melodrama violence pettiness stellar follow season exclusive great competition far disappointing season let go season way top chef survive exclusive exciting left season watching top chef season fun go back watch enjoyable see top chef since first season first couple little slow show definitely better goes along final five six could stand although season less personality season recommend top chef fan great watch able top chef marathon finished enjoying first season top chef fourth recently went looking past dice available unbox sour bravo every right make buck worth per episode think may unbox player simple install took little hour first episode g two bar cellular connection pleasantly video quality watching x screen nice nice ever slightly fuzzy worse get television unbox player three sizes small square keep side work call three quarter screen view three quarter view worked best second episode let draw thing wondering decide purchase entire season later get credit individual already la least music hold breath great top chef fan wish prime bravo want share lot people understand season us live show need speak yes amateur night show admitted made first season starting season culinary criteria existence season recall reality correctly first one kind learning curve create make work future type personally think season best great passionate yes immature contest people contest act like high school matter age something aura competition people regress little tiffany provided great entertainment believe think trying something queen theater sports even honor society trying people us like stuff lot interesting brought forth lots along normal cook could make like molecular stuff nitrogen stuff gastronomy stuff along real people love show wish could share excellent series one forgotten struck much character development see settling getting better better people situation would sorry quality science fiction today maybe enough time someone vision appear bring back good stuff hope make deep space nine available unbox order delivery goods amazingly fast protectively keeping belong fault studio produced nothing good episode best law order franchise left arent good stabler good however green colour paint top hopefully affect player paint colour shipment sufficiently protect product got bit crushed transit otherwise big fan series always full exciting guess need convincing purchase product whole series favorite love problem show part anywhere near long enough really love show see many season idea considering many play entertaining show great watch pace seventh year law order special unit special rape elderly tough series looking seventh year probably already know suggest start first season beginning subject matter dealt often mixed hard stuff think excellent cast many people watching want see catch bad often feel better world around even show particular season lot lot made think like first episode rapist let jail attack despite best police stop really think whether rehabilitation actually works raw hate violence every parent nightmare think normal touch infected instance could lot say gun violence much mixed even though left person judge obvious way episode though saying wrong often lot bias would like see impartiality make viewer think fin neal wong always quiet unassuming background role really main force behind holding everything together may seem kind crazy always relate harry potter show dumbledore sure guess maybe crazy thinking season much light role every since first season shame like see ice got little nice still much probably could always make fantastic could easily envision real life even see role medical advisor great job providing evidence rough show know handle subject matter watch shy away showing blood partial nudity may uncomfortable people lot interesting debatable time least count justice review fan rendition law order stand criminal intent digress ice supporting cast make classic season actually one glad get rest season bad either satisfied got season great season season excellent episode excellent job episode made feel kept attention entire episode deserved role great job also good season well far one best drama go wrong season top chef one favorite cooking enjoying watching season rock like overall entertaining happy entertaining reunion complaint watching older top chef best one far opinion great watch huge crush chef wish character would part process show got sale seen worth watch entertaining clearly show extreme degree howe sweating food want gag enjoy watching mindless sometimes annoying especially spencer around enjoy watching take young largely immature people nothing much substance spencer relationship questionable best aspiring actress nothing said show case think actually acting instead living life however incredibly hilarious narcissistic airhead spencer complete villain opinion good work day come home like relax job season spencer living together friendship apart love career also think season spencer argument going colorado see family spencer follow sort brand new face unfortunately plastic surgery vain spencer might enough evidence show reality show real come shock anybody though bear mind everyone like reality stay clear clearly unbelievable take mindless trash sit back enjoy looking intellectual stimulation steer clear came excellent condition would recommend anyone show fan pretty good twice otherwise good condition used favorite show course would recommend like three show would watch tube else say hope like older one best criminal intent seen great wish would follow episode seen always show good rainy day nothing time find cast fascinating ability loud mouth bartender daughter possibly entertaining second time around big brother watching current season cable decided check prime season good evil dick daughter frustrate like series enjoy seeing favorite real human interest study love old big brother streaming two best anywhere found really fault whoever made huge mistake would sell times many twice much easily idea expect film pleasantly impressive cast across board truly wonderful great actor wish film great weekend binge watch first season really enjoying kindle pick favorite show watch first time always good movie jeff good artist part well story line though probably likely believable plot original still best use technology effects improve story reason give movie four give fly vincent price eight movie good sex younger fly like candidate good older l l saying worth fi collection sound blue ray good p lot blood one movie subject possession material make people happy plot well designed get point across money cure suffering love thought received old much ordered particular movie happen something looking movie long time glad opportunity view site time fox looking big new format case miracle see without glasses improve somewhat studio disappointing version came plot streamlined post colonial number reduced earthquake middle picture grand finale time around film dodge issue interracial romance burton doctor turner socialite strange reason like impersonation way oh coyly tyrone power loy even go far actually cast actor generally satisfying even film ultimately nothing lavishly mounted romantic hokum forbidden love bad weather welsh though ray nominated special effects disappointing original physical effects model impressive enough poor optical work visible clearly match help big redemptive act heroism either terribly profound stuff film dialogue like destruction interest without merit fox pal good transfer though twilight time limited edition ray three spot isolated track excellent score booklet well superior picture quality definitely way go buy strong enough watch amazing buy old grateful technology bring back good old days previous discussion whether truly film noir hard define film noir argue whether film noir certain mood feel mood film noir feel mood personally define film noir particular movie however think great film see daisy struggle throughout entire film see two men want go recommend whether film noir little controversy true film noir humble opinion one although typical film noir certainly number would qualify many obvious first briefly story love triangle daisy dan peter henry daisy honest hard working commercial artist trying break relationship charming dan unhappily married man father peter post war shell vet whose wife daisy peter see relationship way get current dan daisy alone shell peter quickly married seem growing happiness start new life however dan back picture get daisy system begin unravel divorce trial brought dan shrewish wife ruth best known phoebe see turns movie quite camp classic although car scene end truly awful writer one fired melodrama film noir kind usual brilliant performance enjoyable film repeated catch going watching listening commentary help catch much possible subtext daisy roommate film much romantic melodrama might believe child abuse disturbing shocking especially film era director otto always truly censorship envelope include audio commentary noted film historian foster journeyman artist otto th century fox great director daughter otto came fox fun story especially volatile relationship f henry opinion f stood course best known laura accomplished much one movie also informative making movie titled life making daisy dark film noir cinematography part hide age wholesome peter pan style daughter well grandson help flesh many behind well done addition movie theatrical trailer number fox film noir laura black widow dangerous crossing included well interactive still excellent value miss henry good story line depth drama previous reviewer correctly film certainly film noir even close one great film pierce possessed flamingo road damned cry strong noir well strong male star edgy dark complex daisy solid film two henry doubt envelope day love triangle adultery plot line result still pretty conventional predictable many prefer one noted well humoresque woman face one want miss fan portrayal complex rich really feel process working interior struggle two men life career development character much whole stable film noted internal rudder less dependent men define person fate sense film becomes hopeful less dark tawdry grim might enjoyable many film noir movie may pass every test film noir movie cinematic light shadow play big role well cast fun watch henry making become dimensional story simple one antagonist protagonist rigidly confirmed except perhaps dan wife commentary quite good student film enjoy technical psychological brought also two excellent wish older could kind making film recommend movie daisy starring henry movie henry role military man returned wife car crash j affair unhappy first henry bit unstable turns love love eventually h came picture took love love end character movie fan movie fun watch city well scene recommend one old play daisy knew saw chance give sincere performance fought got two male time henry laura returned war excel course key light follow expressive many whole production top drawer otto sure professional hand ruth also plus neurotic wife production great super scene stork club full atmosphere famous making cameo look seated bar drink must disappointed south nowhere season disc set series south nowhere set found outside nothing else either media n network excellent well written better wish something else series season love show wish still running overall set excellent condition new wish price little love south like love movie set wonderful connection show well done intense portrayal real life family emotional ultimate acceptance really love show sad people show sex relationship wish spend much season though would given glad finally came season three end bittersweet really sad see show end give four disappointed include go first five video learned four never knew might surprise spent countless watching nature well spending enough time worry bear something difference black bear research basin typical nature video one interesting telling business nature film wardrobe main instead rustic outback gear camouflage appear typical university garb dressed appropriately weather otherwise without extensive outerwear film realistic close personal feel distance typical garden variety outdoors show would scientist black bear research basin accurate depiction research process constant string topped single success depict accurately black bear research basin decidedly less sexy less marketable science make good entertainment traditional sense however passing interest process considering making career research scientist black bear research basin fascinating look daily life nature scientist also like point film may find potentially effective audience young mass media depict either old men cold impassionate almost every screen character black bear research basin female spend screen time ground dirt working film dance troupe telling childhood sexual abuse dance group innovative approach breaking silence incest also healing worth watching although production like homemade video still brave courageous effort bring important topic light video recording lecture given audience articulate explaining make existence dimension explanation spiritual existence went new made accessible information gave included practice raising primarily hidden used practice part spiritual journey lecture long presentation teaching format doctor audience material classroom often guessing game would preferred time spent giving information audience audience valuable would like hear first made aware went background get material world video first experience movie good one rent video watched computer picture always hesitant purchase really poor quality highest quality video unwatchable little variability audio people ask lecturer mike tolerable would slide presentation available separate since even get last way camera could fixed could done window window post production would two give props camera operator good job moving presenter minimum fumbling focus bad one camera set production want small get way information clearly drawing together lot information many check secondary watched study may want careful video could read fast basically person audience concern revealed may certain defense predate part huge body esoteric knowledge everyone access present day tiny group decide easy enough meaning chant main video mantra super secret really enjoy discussion different different discussion rebirth reincarnation refreshingly direct positive normally get traditional eastern reincarnation feel like slogging mud really crisp enjoyable made happy think maybe beloved pet able incarnate human criticism material could dug every subject brought even three felt like racing material astronomical rate based video would go workshop teacher personable clear read review carefully introductory descriptive material available prime version video comes without lead anything else might inform viewer video simply minute concert clip clip junior harp buddy guy production blues classic hoodoo man blues debut album guy house guitarist chess recognition people like eric career least maybe twice still belting days like went become one harp along little walter sonny boy concert bit flat even guy comes guy however two sparkle sparks start fly even completely oblivious blues know two best found video bit lackluster point sound times muddy video transfer mode uninspiring fan guy even want know great well worth watching especially people like interest blues harp like video polished complete however likely find one although true heart silent era film therefore audible dialogue movie way one favorite ways accomplished somewhat sassy title able see character also film true heart personality shown creative wording title also actress gish convey use facial eye movement body language one favorite quirky little kick beginning movie although necessary plot film little like draw audience keep us wanting watch film really film seeing quirky personality kept interested film sweet girl really succeed end true love quality lovable made difficult times watch get hurt people end movie wondering would ever catch break though sad glad see true known end film film lot would recommend anyone bit quirky story girl seem let boy know like pain day like workout great deal arm bad thoroughly enjoyable biography smart talented lovely actress enough background information understand grace family life acting style princess lost star series well done create greater insight person learn grace kelly time princess documentary time know grace kelly real beauty never death real tragedy much early informative documentary thoroughly enjoyable story film really give feel person much thought knew would little insight form old perhaps private person could know elegance intriguing grace kelly one favorite fairy tale life think making life count something way used fame promote worthy lived life family well done lots history like like great woman grace kelly princess earnest heartfelt tribute woman whose talent greatly impacted nation world illuminating look captivating actress disappointed documentary prior think interesting film worth watching frank dialogue controversial subject also unbiased subject difference indifference generation men regarding remarkable candor speaking sex around unprotected sex community future man spoke camera never inserted neutral times believe film intent proselytize rather glimpse long current men lived height plague generation advantage knowledge choosing ignore minimize believe disease suffer die longer think value film used open discussion classroom even watch since take bet afterward could go like creativity show relate show love reality elimination show profession us take get hair done us differentiate good great stylist quite simply normally take huge show us skill involved great stylist cat fight two along way well done bravo formula reality compete week one one title prize show cut hair week contest hair art wedding updo shag really think would enough make entire show fun watch interesting people addicted reality give one go never replace amazing race top chef fun show sweet wonderful grateful able watch would give five special believe least couple order still recommend highly eagerly await release rest series last year several random run show bought smaller may experience overlap couple complete season one entirety season one thirteen digitally first step city ways city triumph choice race moon place like home elephant best friend show must go duet duet missing crown affair phantom contemporary embrace gentle jean de creation elephant series hard say expanded moralistic told simple straightforward animation style certainly pleasing nostalgia factor like think sweetness innocence cadre still appeal modern become jaded various flooded entertainment market lack certain visual sophistication perhaps eighty success television seem indicate enduring attraction story unfamiliar optimistic pachyderm curious soul traveled city civilization small tribe family plenty unwavering fortitude positive attitude possible note warning first episode representation death may disturb younger hope love best animated representation lovable elephant far decade later bit less successful mind great storytelling simple sweet figured must shout factory soon saw price release date mighty exactly perfect every way complaint case broken inside insert frame first disc flop around like cause like series comic sometimes nostalgic fabulous series nephew really watching cartoon inspired movie think would satisfied interesting see evolution dress show also like seeing different fashion love pleasantly watched show much truly much yeah quirky detective current cop show landscape pleasing view show character driven slight twist story turns reese may partner thrust onto instead way around going great show pilot interesting funny draw great chemistry especially part lewis police ex wife ticket watching episode went find background information story good read think show around awhile lewis trying figure framed murder seeing board house possible like going take time cannot wait second episode going watch pilot episode saw lewis sad oh career killer move life came along love prison man certainly former police officer hard time commit evidence proving innocence force also serious settlement money detective working new partner even covertly hell life promising cop detective show dynamite stuff anything addiction watching lead actor work craft lewis simply fabulous wounded brooding protagonist trying piece life back together fun watching apply perspective normally fan sling lewis integral part character loose cannon agenda slinging better survive penitentiary also like little remind us still coping new found freedom whether habit fresh fruit never fresh fruit prison preference light open air fact still furniture home lewis supporting cast enjoy shahi former cowboy cheerleader nonsense reese new partner ecstatic true character fall generic character saddled category yeah nothing new angle think good chemistry lewis love bemused barrage philosophical quirk two nicely play lewis sexy smitten attorney former inmate current best friend financial adviser like show use interview clips reveal certain usher several sub light learn instance former partner stand beautiful wife serving time even get teeny whiff conspiracy surrounding frame thanks clips steady influx crime drama tuning show pilot mind powerless powerful sixth episode rapist aa farthingale episode fun one intriguing mystery man half blown stove intense two part story arc dig hole fill finally man dig hole also get see showdown new former end stress enough good lewis show remember great wartime series band made impact back even nominated golden globe although win lewis complex performance life humdrum procedural riveting police drama latest grapevine think guide picked show rest season life good life curious rewrite detective show genre potential either good bad depending show really give lewis screen update review series know sentence series cop framed murder crime awful lot money framed goes back work detective lewis fine choice badly scarred spouting detective utterly quirky bizarre character may best acting job could easily replace monk interesting cop television lewis facial shouting wonderful vehicle supporting cast league like already recasting black likely ex wife taken line pilot shahi stunningly gorgeous expect maxim girl partner almost two dimensional lewis together better part problem character written well addict set watch perhaps trip hard mesh straight shooting cop periodically play lewis much better chemistry solid financial advisor best buddy ex con remainder cast various attorney really enough scene time early tell one way although solid sequence pilot comes help band sergeant bull angry inmate whose son death first case question whether potentially interesting underlying frame job plot get enough play become generic detective show certainly hope pilot nail funky instance also average cop show writing continued could easily sink going tricky job weaving hook conspiracy plot day day detective work could easily make another bad cop show give lewis least watch couple life good great lewis fantastic fan highly recommend watch outstanding turn band usual enjoyable self watched every episode far disappointed fear show would show lewis dare great challenge audience right mystery week big picture like really make meaty compelling week week waste chance life dare great free immediately woman yet saw like best premise original felt like anyway great show potential becoming one engaging television think lead great job character know ordeal struggling create new life reality course old business let go new partner want life supporting cast great entire series get balance trying adjust working week case time prison unique perspective finding framed big wall show could show watch every week danger life stall spend entire series poking around case framed never get anywhere show suffer yet think good sense going let hope life get time live pleasantly good good let see keep interesting really like show far concept new take classic cop drama almost like prison break back season outside excited watch rest season unfold finally show interesting forced premise strong lead actor dynamic fun interesting story man came horrible point life visual engaging far mediocre style much told straightforward engaging way highly recommend chuck woman life ticket show looking forward purchase first season life soon thank though quirky detective done seen done like thought good opening lewis certain intensity main character wonder detective like interesting watch saw ago look forward seeing continue develop character supporting cast strong see lot something different complaint crime little easy criminal believable unfold bit slowly progression little less straight think good series think chuck one best ever love season ray quality picture quite grainy times expect amazing looking ray experience show better cable box component ray via known love show funny full adventure regret great accidental spy job guy morgan needy funny first show great funny cool hard pull bad went downhill fast last season oh well guess even best run program first couple great addition video library change life feel fresh even originally well done portrayal awkward much realistic funny think recent big bang theory general engaging interesting central story impossible much suspend disbelief looking light hearted silly stupid great choice enjoy show basic premise show shown pilot silly explain avoid spoiler pretty cool network allow free pilot also pretty clearly revealed one hour show chuck works huge electronics store buy still framed commit led getting thrown university several chuck former best friend guy framed chuck mysterious pass wakes intersect entire secret international restricted brain intersect dead need chuck help defend thus forced double life working life buy whilst also helping agent walker agent fight international crime subliminal knowledge right start chuck mast going show idea watch enjoy even hint realism thrown door age network edgy cable series relief find show much damn fun chuck works number casting excellent making appealing protagonist balancing likability growing ability cope crazy thrown ridiculously attractive great straight woman coldly professional agent character well role become season mighty firefly also great whose first instinct situation extreme violence supporting cast notably chuck family fellow buy also well cast entertaining show also great deal geek one episode chuck best friend morgan able carry trick dressing sandworm dune whilst another chuck bonding ex another episode classic text adventure plot point range pretty obvious fairly obscure catching fun series traditional structure season arc mixed lots stand alone arc actually fairly slight building intersect ready chuck expendable ongoing character episode episode work quite well one character point morgan huge crush chuck sister actually bit stalker first couple due sensibly pull back dispose giving morgan another later issue becomes much problem individual episode mostly enjoyable particularly season finale entire buy listening discovered discover fate store manager stuffed fish something slightly problematic somewhat mundane buy chuck family often enjoyable spy stuff often formulaic though always watchable many times particularly getting trouble beautiful female agent goes bit wrong twice within overall series aplomb show may actually first season cut short writer strike end season early many story prepare second season first season chuck entertaining amusing nicely genuine wit charm formulaic show humour drama quite well overall package highly enjoyable season available love show looking action romance comedy great story get watching chuck thought hate wound husband enjoy immensely witty action fun watch get hooked patient glad really like show wife bit skeptical spy action comedy plot watching couple drawn story like first saw nice package although much way special made way every disk kind thrown end good great excited first premise show last fall say got beginning think cross production also show check comic print give another clever dimension series wondering metrics go price hour long show watched free quality picture significantly different even version even x sure get second free opposed per episode somebody must otherwise price way would think collector would want something disk package cover art ability play anywhere non collector someone wanting watch demand motive pay bit normally cringe watch stuff technically accurate easy overlook chuck quite simply fun funny show chuck getting stealing roommate former friend find bed works retail life uneventful quickly learn accountant spy information government intersect computer find intelligence us like escape agent copy data chuck chuck sent data agent walker accidentally computer chuck brain full copy government chuck people involved crime dragged head first peril excitement world special exist somewhat sparse sadly chuck season easily worst ray transfer ever seen current price difference ray really nominal recommend ray chuck ray use show new player many grain downright hold hope season transfer better probably wait result badly transfer done despite iffy transfer easily recommend box set great show fast delivery missing slip cover nice show fresh funny drama bit poor ray quality nice price think chase scene pilot best chase scene seen movie v show first buy premise show family need original version much done tongue cheek buy herd keep beat get serious spy stuff could winner worth look anyway pilot getting lot praise knock plus side first episode along decent action lead attractive appealing premise enough curious see side thought much dialogue forced lame also expect realism make impossible walk away car twice like spy action bill oddly featured beginning actually era old new guess expect like show find humorous store buy romantic cute predictable like comedy spy stuff even comical find well written entertaining half hour great show first lot static whites pretty decent quality high ray little hesitant reading review picture quality suffering yes right bad try make believe absolutely perfect pretty bad part everything acceptable quality quality might best still better ray player believe would better version however anything would make want go ray player issue able choose episode really issue ability choose episode disk menu title pop menu location find ability might somebody never used title pop menu player instead new original like chuck reaper pushing made worth watching last season despite writer strike despite bad chuck title good luck chuck chuck larry show chuck success normal guy chuck works best buy type store buy life inadvertently critical government brain two get assigned protect one sexy woman instantly big crush luck would also assigned pose g f though even date anyone else anyway really date either rated always cool tough guy agent assigned protect chuck work well together though sometimes show chuck best friend morgan also worker chuck hard time family working show always many turns often funny well probably one best comedy spy ever hit television probably bad thing season ended early due writer strike season finale recommend getting first season took advantage several free preview chuck one far away favorite bunch chuck insecure genius working far potential booted yet learn geek squad best buy something like land socially inept chuck one eyed king diminutive domain birthday cryptic former roommate stole got booted school turns overnight literally sought mind country form hilarity really chemistry chuck sister best friend government swift light touch thoroughly chuck gift life upheaval ways drastically alter personality may targeted termination worried assistant manager getting last would complex compare tone psych another personal favorite star trek voyager done good work producer director look forward seeing series nice funny easy relax like see hope soon series show new season chuck good fun show extra fun entertaining really casting sessions extended excellent added bonus good recommend disc compilation far origin go one best get go chuck one looking forward strike great blend comedy action smoking hot chuck head buy best big box store great deal secret government information brain often people crank action show cast great balance comedy action great chuck trouble often find creative ways get back check show comes back catch episode unbox insanely good season two debut season chuck still one better year cut strike found show continuity get first season set find even original intersect like special effect movie quality pretty standard chuck sometimes bit grainy like early buffy vampire slayer true original pretty bare mostly context couple particularly though chat two discuss favorite definitely nice feel listening talk something love real star show worth basis chuck one two watched live last season become one best time would probably hugely popular something always cutting whether strike waning quality lead general fortunately strong cult audience support television seen chuck yet start keep watching worth must chuck fan set come picture quality could better times good purchase herd alias touch really please note absolutely love show one currently television funny great action interesting story ray several first video quality nowhere near image noticeably grainy many actually inferior quality version season audio also problem bad video additionally menu simply awful put first disc going start first episode without press menu button like pop bottom screen seen similar menu usage never seen disc reliant upon menu episode well menu change end episode often start different episode get original menu change seriously like one even make sure disc correctly written aside ray unwatchable would recommend given choice ray currently quite time find somewhat watching ray destroy experience chuck one favorite ray st season great except one little grainy nothing major frist want say show always one bought frist season episode stopped gave static screen kept sure bad people would return instantly cool decided stick one season forget rest instead made bring forced end didnt like chuck lame update turns cord shortage mind decided watch chuck day forgot much made laugh rest little spending first season chuck something see everyday combined humor action way everything fresh right balance right keep material exciting person see lead role never guy watching chuck without show half good firefly serenity fame nice bonus mention try saying one chuck super spy partner bit silly times show blast watch pure entertainment value one high miss list something series maybe simple honesty main character chuck rough serious walker maybe like happy maybe like spy like diving maybe think hot maybe better stop also total idiocy always laughing call chuck pilot pilot guy works big box electronics store misleading seen pilot episode definitely worth whatever unbox stunning show clever sit back relax enjoy recommend show people like spy bit comedy main chuck good chemistry downside morgan character annoying funny amused people work buy well fast forward relevant think good look morgan character see make less annoying better yet love watching quirky character chuck evolve confident spy season three first season wholesome funny little bit mystery romance thrown extended cast well thought important series unlike many think appreciate first season whole family without worry morals language unfortunately season two season three went another path made show grown budding relationship two primary one two must whole family series great good mostly great acting always fun watch ray transfer little soft still nice watch firstly agree w previous chuck simply one best best show right however said agree also ray version bit disappointing video quality frankly expect much considering suppose ray hope fifth element fix offer replace giving b c picture quality could chuck show wife able watch season really balanced enough action even slightly feeling romantic comedy type setting along healthy slice humor make also show show ended watching period time chuck season fine line fake great great portion really show together show thought supposed corny actually thought minute avoid generally watch willing pay show show check immediately decided buy season stream great quality interesting character interaction think intersect new device going keep head sure story transfer quality poor sure trying get many one disk possible compressed poor source material begin remember ever bad television series went see picture season best besides though love show never episode television bought entire set series ended show leave quite bit door let get lost show first couple found fully chuck familiar story normal guy thrown world espionage fresh twist support good story telling decent cast betting havent seen since yes however people seen anything guy one reason give five poor ray put disc broken disc chapter chapter go menu screen aware put first disc awesome show laughing throughout case broke almost immediately rated instead otherwise definitely worth investment thought show would hokey based shown instead likable interesting story good mix action romance like cruise mission impossible combined best thing television nearly bad pleasantly matter fact problem extend story line past entertaining series fairly faithfully watch television happy also tie loose miss show chuck entertain chuck must see family gotten episode disc set chuck season delighted seen although saw originally broadcast find understand plot better catch family see show first time around laughing hard keep pick great family entertainment quickly excellent condition series whole family enjoy series episode anxious watch next one adorable television series forward seeing every week perfectly cast lovable recommend everyone especially first season chuck great show watching think many people like show give chance ray step picture clear sound great one thing must note show grainy read quality camera used record show although season likely look better best season look look better watched chuck first time second season browsing hulu new show watch easy clip watched figured id check series first season great point nowhere go thought sadly short lived due make show point following found true later either gaining less quality mind perhaps felt majority certain end series watched finish back season episode golden age show early innocent still setting entertaining installment opinion peak plot line watching ray net flix almost every scene extremely grainy ray like copied old worse film could something copy protection something sending nurse betty information would greatly great show sad quality poor imagine seth new best friend college friend summer becomes secret agent mission friend seth e mail begin good watch chuck worked let pass stumble show one day watched pilot hooked love little kind like monk attention detailed observation definitely recommend show thanks policeman spent jail force different perspective personal agenda show much watching good choice casual nice see positive show interesting need sex story line great riding band wave fame lewis great great show cast fun watch work together show like many given chance many care flakiness part made show unique cop well worth watch really show season though give big strike made uneven interesting though fairly typical procedural drama format wildly original good premise plot believable action high paced interested connected lewis great certainly part prepared homeland time humor good cop show exception southland like underlying premise besides usual case week crime drama main character cop spent jail crime commit got huge monetary settlement work went back anyway humor good supporting cast shame better lot good series lewis homeland fame former police officer force wrongly twelve received millions false imprisonment force track set two enjoying sure would like really little disappointed stopped season thought excellent series interesting well also overall plot episode entertaining watching series long time ago unfortunately stop showing first series saw decide watch season really enjoy watching like way people funny love thing episode mistake watched surprisingly intend see interesting guy wondering next also like supporting cast fit main character well however uncanny somewhat bizarre southern become bit much regular basis nevertheless theme law enforcement officer return spent twelve prison crime later entertaining rate four episode well written photography good fruit consumption overdone well show little dark premise cop jail crime commit although big freed goes back job back think probably true life acting good care female head think something original setup show entertaining watch never quite sure quirky thing going happen next great cast acting interesting writing tend hate seem boring sappy sleazy teeny junk breath fresh air intelligent witty w suspense drama cop show different typical fair give amongst would actually watch real time maybe even stay home pizza watching worth time good story line almost comedy likable bit silly humorous scary see could popular thoroughly enjoyable cop show good story line love watch time future enjoy watching whole season time good story nicely humorous easy follow story line enjoyable evening watch show want need realism entertainment filled bill like able well definitely kind show like dark mysterious watched whole season yet acting really good far suspense tangible thing really good show watch wish could still watch great series love lewis lighthearted serious episode good subject matter episode watch show air sorry see couple watch keep watching see mystery sent jail finally workout enjoy police enjoy one little different usual see rather disappointed see show withdrawn found clever well written well cast usual cop drama humour covered seem think worth crumpet never saw wish popular additional unique funny unusual almost unbelievable way stay become hooked least want know cop ended prison lawyer partner everyone else knew lewis character definitely contradiction one like repetitive people think cop going jail seldom new keep stuff bit annoying series great quirky part similar character northern exposure equally effective never series enjoy enjoy way story far watching funny sometimes review often wrong first line odd enough good main man partner works well together fun watch great lewis show also great supporting cast show could done lot good mix plot typical detective show humor psychology crime police work charm little romance appreciate take life see detach may think acting superb story line excellent factual representation police interrogation legal process constantly inaccurate wry dry entertainment quite good enjoyable watch quarrel give take little tell story rely entirely bang bang star lewis right part part written right carrying role police officer wrongful dozen prison proper mix fey aggressive pursuit real killer case well assigned new partner police force shahi nicely role aggressive two without descending current curse authority television aggressiveness arrogance constant face attitude superwoman command every physical aggression tiresome version good counterpart completely laid back lewis excellent obtrusive ex con buddy lewis special buddy role present never shadowing star right season one good start could long lasting show flow show way together like two season last show season left hanging good great suspenseful great intrigue really great like fact although hero gotten large cash settlement wrongful imprisonment still integrity material people important end remains seen partner captain great way end series viewer decide ending best took get show bit timid new days since seem get quickly found intelligently written easy week previous really enjoy nice plot enjoying show check see pay season like wit goes drama currently process watching little hesitant first far really show worth watching see like show leaving aside impeccable accent portrayal man trying overcome revenge regain normalcy peace make show bad show fell victim bad network cast little quirky sometimes us experienced detective show still enjoyable outside realm realistic female partner disappointingly weak link different kind movie story little episode watch season two one season enough great concept wrongfully man back old life used learned prison better live free world great cop show teach us come better worst possible scenario twelve prison cop less accused commit watch see new life trying find real killer great chemistry partner drama humor love cop witty dialogue good casting excellent quick another man search hero goes great eradicate evil series long series one short run network television guess one deserved better fate two short like monk often much police show mystery crime excuse quirky character act inappropriately enjoy supporting cast shahi particular shine appreciate show clever action good ensemble show lewis great exciting enough keep watching saying lot hope season good season know got good detective story daily real case always working background one works stays human response ability remain saw series ago watching new spouse really enjoying story line much interesting average crime drama two main fun watch predictable good acting refreshing long story arc recommend try season one looking forward season prison man certainly former police officer hard time commit evidence proving innocence force also serious settlement money detective working new partner even covertly hell life promising cop detective show dynamite stuff anything addiction watching lead actor work craft lewis simply fabulous wounded brooding protagonist trying piece life back together fun watching apply perspective normally fan sling lewis quirky integral part character loose cannon agenda slinging better survive penitentiary also like little remind us still coping new found freedom whether habit fresh fruit never fresh fruit prison preference light open air fact still furniture home lewis supporting cast enjoy shahi former cowboy cheerleader nonsense reese new partner ecstatic true character fall generic character saddled category yeah nothing new angle think good chemistry lewis love bemused barrage philosophical quirk two nicely play lewis sexy smitten attorney former inmate current best friend financial adviser like show use interview clips reveal certain usher several sub light learn instance former partner stand beautiful wife serving time even get teeny whiff conspiracy surrounding frame thanks interview clips steady influx crime drama tuning show pilot mind standout powerless powerful sixth episode rapist aa farthingale episode fun one intriguing mystery man half blown stove intense two part season story arc dig hole fill finally man dig hole also get see showdown new former end stress enough good lewis show remember great wartime series band made big noise back even nominated golden globe although win lewis complex performance life humdrum procedural riveting police drama since already wonderful drama series picked second season well life good cop show bit different many quirky interest chosen main fit well one anything move along well well revealed season much bad language appreciate enjoy light hearted cop show mystery dark dreary good story viable leading man never hear easy get hooked series build upon leading something framed beginning never show watched first episode something different sure watch see really show people care going happen next life lots positive well never know going happen given moment live life everyday purpose enjoying series episode underlying mystery goes whole series love woman star thinking star many false life interesting show back story really going shame ended season interesting engaging hope see pace good dragging much series pleasant surprise every segment man spent decade behind light fresh fruit small take totally believable character harsh world reality watched show first time see really excellent melting pot style substance humor passion happy discovered lewis homeland thought take chance live beautiful engaging series ended soon great acting show left wanting know next show well written lewis performance top notch cinematography first rate highly watch cop spent prison work detective received million lawsuit reward lewis fame shahi fairly legal give good short series set la good story throughout season although format acting outstanding included wide range love turns disappointing series concentration plot entertainment comes realize plot direction good stuff cast substantial homeland person interest quirky good intrigue good way little like fugitive serious like twist character life story like way would recommend nature contents program technical wish correct freezing blank constant give four program self show came thought rent see opinion still love st episode last series excellent story begging end acting right series comedy drama mix yet even though comedy detract seriousness underlining story watching one episode next great show really disappointed two another firefly guess however read new series based character wait usual cop show show occasionally make smile even laugh good get better tie goes series broadcast glad available prime lewis character quirky funny like weave personal story current case show lot original broadcast real treat able watch writing great really show acting also exceptional recognize many went success great television series like person interest deadwood watch seen far like still another cop show though little bit mystery intrigue story line looking something pass little ended watching whole season good series gory enough suspense keep really varied enough enjoy watching new episode great show learn something episode life good ending still neat watched really like lewis great role like story line wish would move bit faster also way eats fruit really strange interesting fully entertaining great support cast definitely worth watching sorry love show nice variation classic cop show attention decided go whole series never saw show original broadcast know expect premise great sometimes great way long day work main character fun supporting unexpected little offbeat better along totally realistic interesting interesting see network show bad since great acting fantastic engaging interesting premise good character development lead character becomes believable complex season goes apparently ran get please like concept well cast production good bad two wait watch next episode new crime solve plus ongoing mystery really guilty mark lead character forgot name sent prison also like philosophy throughout show better series good however first episode season good finished series yet love show glad get copy collection love lewis everyone homeland since band character life disappoint normal homicide detective show background interesting times show rather interesting entertaining better little plausible less unevenness given really character lewis portrayal always enjoy watching show exception remarkably excellent series suspense without losing reverence character development lewis shahi terrific become team story inside main character working clear name also working clear new cannot see accountant manager laugh cry show justice blind people keep banging head steel door one way series little wild silly times hooked definitely watch season watching prime first time since great concept would given five writing obviously good last suppose knew going disappointed see life ran run mill story stereotypical lewis serious detective yet enough wall separate popular moment find two character writer need involve orgy work show leaves peace loving behind written character develop live character behave another way overtly aggressive year old still talking yet sex really like tough create original new cop show left feeling indifferent story arc gave star due original plot line character make worth watch understand season individual average dynamics regular high octane entertainment recurring theme season riveting really people hero framed brought justice hero survive conspiracy surrounding quest make right stayed tuned keep watching great show main character well written great frame story guessing bad make police detective framed goes prison several discover getting nice sum money settlement court come back force part settlement agreement get revenge kind story interesting quirky insightful well series heaven forbid anything doesnt appeal everyone seen lewis homeland idea show ever glad found interesting spin detective series detective different view many gave fresh feel old genre series would watching series one get great show solid acting intriguing story line good well rounded series interesting premise intrigue running sub plot routine crime alternating set main character false prison sentence hold interest rating simply acting could better series self nice one series given proper chance advertisement seem remember seeing show point watching like interesting story line entertaining show real surprise really sorry got really like show really quirky funny character shahi actress enjoy well watching partnership develop delight watched originally disappointed two seeing show e g mad men lewis homeland added bonus network life must kept secret covered fiasco without yet watching season prematurely found life fairly legal another secret show staring shahi surprise find lewis actual star interested staring work homeland seriously life current ran fairly legal channel marathon fairly legal really paying attention first involved show discover always wonderful little show really stride given bright enough keep quality days skulk back searching entertainment life life based lewis character framed murder cop spent prison later freed discovered evidence freedom giant financial settlement back work detective settlement think revenge far background almost silent thread shahi acting drop dead gorgeous largely wasted great dramatic tension new partner reese far nagging review st season reese go show apparently complete new age self help slightly demented horrible prison experience nice guy pull stormy silent darkness appearance reese shahi apparently assigned senior partner kind unknown punishment sub plot find way bounce police force instead gradually season believe sincerely nice guy good cop plenty plot nearly viewer coming back fortunate already prepared fantastic season cliff believing next season never would even better still put lot stock idea show may worth watching another terrific show money know hit lottery great great great enough sub going always leave curious next episode nearly always unexpected surprise maybe pick season life marathon weekend like fairly legal enough taste find alternate source enjoy life good series least two coming entertainment besotted relationship lewis character ex wife one un police procedural watched life one leaves thinking would similar situation series intended go two available comes somewhat satisfactory close end season definitely wanting lewis outstanding detective new money working way facing strongly watched half via prime streaming video lead character edginess dry comedy drama continue watch nice show good like main character several ago gave good also dry humor every episode entertaining sorry see last one finish show right beginning unfortunately due network shown quite lot read review like music say lot first season aware music change make less enjoyable like interested content show music put great series worth great story line great way catch disappointed let know think obvious psychological mental health like diversity quite intriguing times ended like main character well interesting like used help solve life generally show prime membership interesting solid detective story episode bad series short lived lewis fine job detective nice see current work homeland never show seeing bit slow develop episode leaves wanting next one slightly current function age doubt leaves time irony sink fully well written today show interest suggest watching day watching day start like chips one enough want see complete series one time show easy watch background scenario run otherwise average police show first came spell binding interaction however police side adventure somewhat rough reality watch enjoy watching summer season acting story line interesting well done problem number several one particular took ten get video film kept stopping streaming really season show disappointed adequate ending quirky mystery cop show engaged wish would come back keeper pilot kept interested tune able view watch dirty sexy money rip development really like lewis great actor kept interested quirky role low keyed facial expression kind screen idea may seen remember lewis looking forward week three rest season light hearted cop show comparison foul language little sexual content episode two crime viewer enough solve ongoing story line trying find sat actual murderer kill put jail crime commit apparently show good enough make two edge really good show maybe bit action speed plot series especially early water series consumable mass media market cable station would done well think little hip quirky ahead time season strong turns mundane detective show still fine acting character portrayal watching series decided order series love show love able watch convenience main guy red head interesting captivating wait watch next program sorry watch came glad find really life quirky run mill totally enjoy main character different perspective life refreshing enjoyable enjoy story watch show lot writing great acting great well would call main character quirky think reason show like give try good good series first day back job detective spent prison framed murder finally appeal rich result winning wrongful imprisonment lawsuit got old job back new partner trying determine framed murder first honeymoon season found fresh imaginative thoughtful fun felt involved story life entertaining show take cop show formula add twist come something new lewis superb one talented actor remember watching life much like main character problem unable watch whole series season one entertaining well written lewis make character memorable life perhaps one best cop recently seen life combined older show columbo philosophic kung fu together comprise one best cop ever seen show greatly disappointed see end two however exemplify best writing acting genre seen date engaging story beginning life viewer novel concept cop crime commit life left later much individual always carry two one story line wrongful conviction two stand alone story episode artfully weaved engaging story line viewer leaves wanting recommend series anyone looking something shoot em story person time prison different perspective life fact sloppy police work put underlying plot reveal truth really although done death one comes twist cop framed murder life given million dollar settlement money problem neither getting nice female companionship old job back anyway collect set put prison cop another monk people plus little odd like monk always always cool car still ex believe big empty house friend met prison white collar crime also good friend also bit odd humorous way give watch see think course mention partner also hot course cop show would complete without hot woman cop good show little skeptical first good worth low price well written well get attached right away first episode every episode unique ways solve running story throughout whole show coming back good show worth watching really uniqueness character introduction plan pilot hope successfully series continue watching friend different geological area original path keep wondering real story good story line shahi gorgeous great cast nice find like bad clever series cozy series mystery watching main character incredible lewis compelling fun lighthearted series show quirky interesting especially main character cop spent decade prison crime commit former love life usually care television vogue model improbable one rather intelligent usual may partly explain last long anyway recommend wife watched pilot hooked great show episode eagerly take hero spent prison million settlement stays police force get life back series plot built episode episode increasingly complex interest like season season one life immediately went back season two great intelligent entertainment sometimes dark sometimes funny sometimes darkly funny lewis perfect fan since first seeing west wing good see role one gave room show fine talent stingy four good per rating system bit edge would five really season different reveal little back story episode solve typical nice twist crime drama genre worth watching however short season due infamous strike disappointingly left show first season tell season watch episode season new boss creepy female lead reese suddenly different person longer moody chip shoulder season never season gave character sad could great enjoy season satisfying conclusion leave always trying find something decent watch prime came across life familiar lewis show story even though end seem make sense ways would nice show go longer two hand wrap quite nicely last show entertaining series ever twisting sometimes bit make way interesting really like view several one time good one well worth time popular well done band interesting concept story line assist making best possible monitor colors see monitor colors want flaw calibrator experienced monitor allow minimize access monitor otherwise colors accurate many troubling woman even watched pilot read fi channel painkiller jane guess could say painkiller jane actually good think show like woman alias series immediate season pass great combination original million dollar man woman although writing could better especially continuity pull show ease almost little dark graphic still works well overall huge fan original woman convinced would hate new version amazingly enough may aside nothing really like fact spite fighting sensed vulnerability unlike original woman story need pilot episode necessarily indication come promising start continue watch admit checked ability let watch mac well like sometime functionality added thanks absolutely love show definitely schedule like forced could move story along one lost feel could used people interaction tell action special effects much like matrix woman like female neo great potential lot plot visually entertaining however enough character development start felt bit disconnected people meet since going serial drama hope begin develop soon also felt bit unclear secret organization really although maybe meant find future really think well since woman appeal looking action suspense hope get cut like many last serial right get incur mixed watching pilot episode male negative light even absentee father manner positive role disappointed majority show photography visual effects really good would sound effects understand time lapsed original woman cliche impress either show incorporated missing father separate story gave show mysterious component also thought show ended taken place recovery would begin second episode younger sister refreshing role update post remake promise original finally long last universal original woman series available th include season one pictured actually six million dollar man episode woman however may still appear bonus cross episode set universal also available digital anamorphic yet confirmed supposedly six million dollar man supposed available soon well exclusive time life nevertheless long wait new version get see perhaps first time original series hello original review posted see response posting original woman made available order thus review posted corrected information review longer applied thought wrong area please know original review written incorrect series made sense time way decision according universal title unfortunately available even order still legal resolved original series well six million dollar man u note said u order first two region free player play even new series even ben week original series posted order according universal posted without sanction street date march th even already march actually starting release information release slate ever blessed release series would likely simultaneous release six million dollar man character first place hopefully original receive best digital conversion possible since lack something desired woman season better first season season cut original movie version missing instead part longer version minute pilot film titled moon desert last part second season well used fi channel first episode shown rotation hopefully us series include originally cut recently uncut however opening title match used fi channel run well available go informative site seem get anyone else careful posting anything never taken air family watched one day wish really good show unfortunately paired private practice difficult decision watch however chosen show glad pay close attention get lost love role happy see role great grew original loosely based novel stress loosely novel great along however original entertaining got idiotic like dogs think even anyways new incarnation featured beautiful woman could act bit choppy mystery behind everything character well written possessing real life personality woman would background thrown nice fi actual character development form family life something adventure fi wonderful job guest go perfect emotional centered around breakdown technology sad thing show show original show least cheese case original six million dollar man flavor week let face great show even better lots action great show watch day night good story line keep action going like store line original series ago technology today original series real work application really difficult fairly accurately rate show since soon either b c strike reason unknown rate get entire season show woman used wealthy shady company personal agenda little since deal primarily villain week woman must deal fighting also trying maintain semblance life following car crash left badly injured sure else phrase also task raising teenage sister keep dark new double life story arc beyond original premise another woman gone rogue made human body may fatal story incorporated abandoned since show show potential good chance pull anything since soon get entertaining though woman gone rogue physical two fun watch say although available cool watch much point getting unless really want get small taste show like get closure b c cut short bought b c see guest star money would well spent elsewhere least set far back believe like even would wind costing almost good remake took bit get going really got like overnight success instead get watch people opening people singing poorly dancing people know want watch couple good mind soon one enjoy like concept series around needs work series really pilot something similar woman show turned great update original concept identity degree similar notion happening people quite caliber guessing money time put project bit lower contrary feel connection main enjoy stuff like however considering show along chuck band wagon becoming lifetime n w remember teen original woman used play woman recess really group recent episode verbatim say excited hear upgrade pardon pun understatement little something extra get wrong good enough production excellent casting top notch except hear woman think strong confident woman take care got timid unsure sister seem manage totally date see breaking charge life strong confident woman take care super human also preferred sister deaf see made change previous actress might hard understand make rebellious hacker say done already could interesting story arc cure deafness technology apparently going sister hack hardware sorry use word lame continue watching time hope inner strength come hardware posted pst happy say much better look seen made look dark depressing truly like whole lot one episode think great start would difficult get fast first episode set lot looking forward seeing story fi fan greatly buffy la version alias lost confess show right bat mainly terrific screen presence mention potent sex appeal cast production solid noted writing weak point writing fixed core show concept cast production solid course anyway strike nothing wrong show new set consult joss alias would fixed primary problem broadcast network prime time patience let highly creative grow get goes double fi buffy came along today probably last season network excellent like firefly terminator still charge good show almost nothing show many us grew watching bad show like alias buffy make time mature exciting watched trailer web show quickly since worth watching cast great like tone two female pilot better concerned series might focus sex instead content case sex scene even want call exceptionally mild literally conversation thats see two semi far violence goes handle probably action film made last nutshell got potential pilot great however although free cannot transfer creative let noted someplace great show wish could see show could gone usual give fair chance always goes would see could gone good tremendously really well done strike probably cost series sophomore season wad lovely likable great accent loaded revival lots cast especially prototype gone bad older sister secret life angle fun series definitely thought episode especially first woman great cast well directed hope found pilot entertaining overall lead compelling nice see agree teen sister annoying like disposable character could without dynamic series also chemistry compelling professor despite interesting seeing direction series character new woman slick modern original short lived six million dollar man unbox top notch video transfer great brit new update spelling whose scientist involved secret program repair enhance injured life car accident pretty sure meant find exceptionally hot reason must type finding acting quite reasonable limited setting fairly expository pilot episode fake accent quite good know never suspect interesting cast crossing jordan molly price third watch think first two blamed producer responsible along another series admit predisposed like show certainly original pilot bother tuning pilot tune one best notably release series fact actually get chance watch best may first time around case woman remake hit show starred spin six million dollar man original keeping necessary young love pregnant breaking news pair way home extent might die saved true occupation revealed man thought simply college professor actually brilliant surgeon works secret government agency rather lose facility one arm one ear one eye completely facility mechanical well technology boost healing first accept new last candidate agency rebuilt simple set series super strength eyesight hearing working government agency revenge motive strong enough fill number series stop well new found life sister raise troublesome handful teen doorstep father reason stayed combination love loss revolve two series natural progression new career path series progression training learning deal series work best straight remake instead original story fantastic job showing young woman life smarmy best cold hearted bureaucrat charge equally killer change technology perfected within cost living way made mere million times show good thing original silly look back science fiction find much enjoy one look add series worth really like show use watch original woman made guest appearance mother role fan original like new version far try cram much stuff pilot story line choppy creator new also behind one cool see chief new series leading actress pretty good looking still hot strike cheap may show would still lot potential show great entertaining action throughout watch really decide much like part depend main character sure casting yet something maybe grow couple behind enjoying new woman far like feel show edge one comment make though regarding show posted want complain unbox service unbox player available os choice please make complaint one star review show saying nothing show review rebuttal said nothing show either gone show non inappropriate hopefully someone take notice delete helpful site show average rating one star show end soapbox mode think new great really like past woman show lot new stuff keep guessing cast great production sleek strange gave name old show new name set show every week glad going dramatic getting away stupid earl studio office rock bad somebody watching pilot episode well done ready prime time world reality king show refreshing change story good enough keep interest entire show fan year old concept current day technology interesting although expensive used pilot good character development plenty sub addition getting used story special effects good introduction functionality also nicely done need fully determine good bad worth wait enjoy bring popcorn minute excitement excellent distraction budget preparation cycle watched guess particular type program slow woman rebirth fan favorite instead parachute jump car crash somers attractive debut sudden turn losing fiance saved life working black agency younger sister finding maybe dead another victim strike combination alias dark angel bring new life soapy series everyone got along one disagree somers hard edge agent want one series much promise wa enjoyable could fi channel instead studio promise lots promise every one cast new worth collection ten great bad thing want roll last absolutely fascinated development well produced like woman right alley think wonderful job new also watching without really home potential show give proper chance thought pilot fairly well produced well thought story little compressed though perhaps could used full flesh better overall think show potential keep watching agree need reinvent wheel coming yet another video player eats hard drive space enjoy film good use action mixed human interest drama good sound blinded special effects great remake old classic good casting hope writing direction keep pace non stop action keep stay tuned first first old enough seen original six million dollar man lee woman remake woman built great sadly heck actually went doctor removed could unfortunately declined new woman like original little today ask thing cool awesome amazing give like new woman strike chord us given visual candy new like prior installation like got light show view like borg technology given bonus eye ear run like jump tall single bound overall incredible emotion st woman sometimes villain love interest kind good guy initial turn thought used much back story military training could go think say depth also opening new woman strike anyone else like opening butler music similar well video went anyone say listed volume one anywhere else volume two list worth watch original airing us old enough seen original woman sadly better watching starring butler far worse perhaps regardless review saw exactly enough sex enough show intimacy central much took away plot complaint violence expect speed knitting since alba dark angel days pretty girl serious behind might pull waiting drop ball make show stupid big question pilot episode well believe avoid adopt normal policy broke fix till much since actually really old woman show really entertaining definitely different old version think good thing show engaging kept interested whole time definitely keep watching original girl grew woman million dollar man back great era figured new series would similar awesome dark twist great idea bring back wondering make stand think back original one thing know ha ha knew body like said know wish background maybe expand future think keep going intense story line get good following series excited next show shall woman watcher come afford take care teenage sister age sport stylish clothes live loft apartment wear tiffany jewelry salary little education blue collar job landed hot surgeon also professor get real meet bar like plot also thought watching watching daredevil waiting evanescence start singing surgery put place teaching cool whole story woman wasteful spin final trump card get watch next season call preference nothing like first turn please get rid mean twenty something girl get someone younger play sister husband watching chuck disappointed sacked show saying goes good show cancel first couple great season morgan intersect chuck morgan brain free super computer better still little bummed chuck story little interesting see plan may put together without overall worth purchase wish would perfect box worn corner received huge chuck fan great wonderful present dad chuck much nice hear laughter watched show great series chuck longer intersect still confident capable secret agent new intersect also deal fact team independent pay rival compete yet dangerous agent comes intersect chuck call upon training stop chuck always curious show geek comedy dramatic romantic whose tone often spun dime show always done good job different keeping everything grounded though earnest sympathetic performance title character fifth season show several additional tonal chuck best friend turns fault surprisingly life almost ruined final series show always quite warm hearted entertainingly cheesy surprisingly bleak tone final comes bit shock season purely wrapped thirteen may budgetary place previous season well known chevy chase timothy dalton year get solid actor best known supporting role good job geek brought even problematic fact last season little build character never really much depth contrast dalton hammy complex truncated run throughout season would given whole develop second fourth disposed way quickly entertaining going subplot ann moss rival contractor potential romantic interest enormous potential kind real climax pay relatively little action buy big mike jeff barely get although late season subplot reformed sober jeff finally going help reduce problem little surprising divisive late season amnesia given tone show confidently last minute solution cure would found instead get highly inconclusive ending quite series ending without ever central question poised last couple unexpected possibly even brave choice whether right choice one come unless much chuck movie ground chuck always first foremost escapist fun show gritty drama like new something ending show manner character series little bit pointless torture main really deserved happy ending aside final season chuck entertaining well often quite funny episode order well ending divisive certainly season worth watching established particular way chuck character across five going intelligent resourceful agent chuck cleverly show development pay well season live first still worth watching enjoyable ending back return first couple though quite way seem bring whole series full circle even little awkwardly really love show sad last season show casting fantastic pilot episode chuck everything good pilot showcase give background whet appetite show funny combination alias office great satiric best buy big box large mart next door chuck sister appealing secret memorable great back hope rest series excellent premiere may eventually rate five certainly much better disappointing woman first chuck chuck amazing show season good amazing show chuck way ended disappointing glad shelf nonetheless ultraviolet digital copy ultraviolet scam really digital copy simply stream play service make account definitely never pay extra digital copy thought first episode original right mix humor seriousness curious see keep interested premise cool casting good think writing fine thought hilarious assassin really glad see good show watched show growing two ended watched final season get watch star show really got show character taking place throughout like within show like subway spoiler really first last episode dynamic chuck throughout whole show really made show interesting day want watch whole series beginning end product unopened new shipping package case shrink wrapped already additionally case well internal plastics case broken luckily still worked able watch season chuck great price somewhat fast shipping disappointed quality shipping untruthful advertisement unopened new overall happy worked however expect case come without expect shrink wrapped unopened new except much subway sandwich accomplish underdog show like chuck really five year run pretty amazing already missing show bad least eureka still around wait eureka course four chuck evolution eye opener chuck gone hapless herder accomplished spy fifth final season coping without crutch intersect proving merit innate savvy still got goods kick bu cloak dagger community noted last season finale thanks chuck stinking rich burbank buy store still cover castle underground espionage lair giving stink eye chuck struck established independent security firm maybe biggest moment last season finale morgan become inadvertent host intersect fun twist initially think laying odds sitch last foremost love show heart eyeball shadowy neat spy wicked kung fu rapidly become rote give always chuck anchor sappy say despite pyrotechnics chuck romantic arc track feed walker lonely little girl unwilling trust always hot chuck hapless geek heart ever sleeve winding love story pretty sweet last drip dramatic conflict tension even especially eleventh hour willing jeopardize chuck happiness yeah hooked yet jump even eventually applied aggravating morgan season first major arc morgan new walking chuck trying hard feel envious useless somewhere periphery never quite going away yet another dark cabal destroy chuck rogue operative chuck wealth well show love erecting spy team hire trouble solvent help chuck company direct competition corps boss harbor personal agenda colonel chuck always knack guest pop culture season guest star bounty mark lee bo two cast community well welcome recurring run moss steely season less silly buy still fret pretty gratifying story arc nice payoff regarding final episode pick season chuck zoom chuck improvisational tactical without intersect chuck curse captain awesome fun unexpectedly perilous date night chuck baby shedding light past chuck bo bo chuck fine send never mind infer happy ending maybe good time chuck bow flirting becoming stale maybe getting fed subway man miss show something fierce least still air wait chuck complete fifth final season comes following bonus material saving show cast crew em teary eyed pay tribute show passionate fan base scoring world chuck spotlight composer mind behind music chuck versus final episode emotional visit behind chuck flash hit show cast crew reminisce chuck charting evolution show buy time lapse teardown set exclusive buy big mike captain awesome extended version series finale chuck chuck future cast show audio chuck chuck josh extended cloak dagger jargon gag reel also episode guide pamphlet chuck great show glad made five chuck always good way spend hour funny entertaining show think done well fact status chuck left open viewer conclusion original premise male female lead made enjoyable watch action good humor show really chuck slacker stuck show much high concept action chuck better female lead beautiful seem convey real warmth versus cold blooded killer chuck action comedy premise science last season chuck almost fun watch previous almost know going end lot going highly recommend final season chuck know end keep interesting forgot chuck almost finish watching absolutely love show funny really grew throughout series mix comedy action good really see balance spoil fan ending think could song final scene head heart really moving definitely going miss show hate series like chuck must finish season least end series good leaves good place chuck clever little far fetched entertaining left wanting guess point see one going show strong several much last two last season intersect getting many people lost appeal also disappointed ending wife chuck series used night ritual switching nights around wished would longer season kill good lately rating one favorite combing action drama comedy last season love enough keep coming back week buy complete series would like seen continue first four high level writing long period saw comment show movie right script would work fantastic stand alone movie chuck season content great rewarding heart hearts us fought chuck said alternate ending giving happily ever ending would even great price quick delivery ray quality start saying huge chuck fan ray love show reason season regular actually look better ray player season ray version said season terrible comparison first season well guessing something season used give us season season perhaps could something maybe compressed content much comment quality season given refusing support shaw fiasco put us may however give point show overall support chuck see sure responsible quality guessing cut likely save really us chuck given spent quite bit given chuck longer air concrete stuff left remember great show mediocre watch season set definitely cheap getting season ray version special price well nice would quite willing pay little anyhow could given chuck cut buy ray b c chuck fantastic show fall love get pleasure clean easy come days manage regarding ray quality though warner whoever responsible type quality anything fix please like show interesting good ending show rest series definitely like since bought blue ray show think smart ending overall glad complete series season better enjoy season well program turns chuck make real fitting ending give cause wrap exactly way felt wrap purely personal reaction may feel perfectly done uneven season nevertheless always felt good watching think key show heart humor romance intrigue fan chuck st episode different get enough different fi action adventure comedy watching new show summer leave feeling fairly generous almost anything however thought one genuine potential well worn hello wherever seeing another time travel show worry key see go plot underlying movement story interaction far frankly dual romance aspect without making lose respect yet interested watching show excellent actor performance drawn premise right away plenty unanswered future like hope series chance network many times great show e hope onto one keeper show getting better season first four set stage serial around dynamic lead strain time traveling episodic past top notch writing acting make one best television today spite show first season mainstay next five seven happy show best thing happen hope keep thank entertaining curious keep going worth watching couple see get hooked far watching pilot program prepared experience choppy video even done price though free try complain much journeyman sort like version quantum leap attempt trying explain time yet pilot around newspaper reporter somehow goes back time saving man life first trip inadvertently series comes understand end first show end wife actually went back time digging time capsule buried writing show lack creativity least sequel remake show already went quantum leap current science fiction like probably enjoy show think potential least successful medium ability watch certainly help generate initial positive check decide able determine whether worth another hour keep watching around lot beginning stick finally understand point show establish trying easier see second episode seem kill like early love new show always look forward every new episode little wife brother improving sort highway heaven way hope see show get excited new season available several interested able weed ahead time one tough quantum leap young serious version sure garner enough remain air great premise promise hate invest take prematurely great show bit slow every episode gotten better better totally hooked wait see looking forward another reviewer plot show could agree capitalize like early edition quantum leap us like welcome addition time space traveling mystery feel good genre although romance felt plot left puzzled scene restaurant one show lot potential many different set grab season network really given one little longer think would found audience given time shame enjoyable show much violence enough action keep show stale watch lots eerie guy show right poorly believe strong show hooked main character really series interesting character well complicated plot lot going definitely show looking forward watching finally journeyman available region th watched ready next episode show promise pilot entertaining like fi little twist mystery one slow story picked enough capture attention hold end like able prove story least one person important life give chance home turn insane asylum character development basic adequate enough show less obvious sure overall good possibility watching show intriguing solid drama potential really excel become one best new needs time develop unfortunately strike may negative effect show future truly fairly accurate representation bay area historical present day always minor get part true region give chance fun really like journeyman like quantum leap little twist drama like time travel change past right scratches itch check one one favorite currently airing took strike make find poorly writing top notch tough make non fictional based show although place however believable facing universal believable story many worth personal justice family parenthood purpose satisfying adventure geek inside side note hope make mistake fox made firefly development hearing journeyman possible cancellation good thing going tough make work people care hopefully put poor executive decision would also hope would take account whole hulu apple increasingly outdated survey premise time travel twist newspaper reporter san well import last seen running around house later back two days gone present life become unmanageable sudden start happening closer together time past driving interview new mustang suddenly tumbling sans car street barely getting oncoming trolley meanwhile present day driverless car relentlessly red light major pile idea happening one brother wife one mystery people whose past journey second time past dead past meet time clear really dead fact also time traveler cryptic advice quite literally leaving even confused end least one reason happening also way convince wife insane making past fact true review car empty mustang scene cool time warp suffice since look sort like ground zero nuclear attack tote gun knife one scene simply still another guy nose baseball bat would seem hand hand still like show yes heavy undertone romance willing ignore watch show together yes reporter san strongly character probably vote straight communist party next election lot willing get show surprisingly good particularly continuity past back present know little writing time travel handled well even elegance dare say believable farcical instance house current owner leave undiplomatic fashion verge kissing dead hand cheek sight wedding band excuse leave fact show good probably run half season sure set record still air detour hell first film first effort husband wife team promise could accomplish least tourist trap town acting bad lot going music always point well camera work although plot done money dade county area golden west always make good use location scenery sum lots death different develop breathe satisfying ending worried happen delicious helpful guide festive thanksgiving meal lots close step step instruction excellent make relaxed enjoyable cooking experience really enjoy show one disk error entire show freeze rest fine enough good mind miss couple worth going trouble beware disk happen matter buy big bang theory excellent show witty warm well drawn well thought story bit dip quality middle series end back top form time machine episode one great set piece comic excellent comic creation really well penny well rounded tolerant person big bang theory definitely must buy one seen long time every mean every episode watch always laugh solid comedy love would given product received one small across disk still well still upset sure handling process something big deal since play fine love like would recommend price complete season hard find better deal already two watch order instead one one great buy series absolutely love show starting collection series great price shipping great well series dynamic high school great overall funny experience never watched big bang theory prior seeing recent rerun cable thought hilarious hilarious fact first season onto kindle see series ended watching one night watched peanut reaction hard walking downstairs practically outer space really group audience progress cohere incredible wit displayed character dialogue love geek science aspect show social awkwardness comic book adoration bizarre penny course could used improvement since first season issue moot long since would definitely recommend series big bang theory turns great awful great geek humor show funny semi obscure geek show go charming particularly us remember even socially inept geek awful penny dumb seemingly capacity understand saying worse yet care time around absurdly skimpy clothing choosing use body rather mind think penny ideally balance awkwardness instead providing balance like dumb blonde aside show enough buy female show atrocious male funny lovable watched show found funny decided buy let big bang funny show funny science well funny show two play bought season used overall happy product shipped fast great writing casting smart funny show back loud obnoxious laugh track keep acting keep writing lose laugh track mind pause line delivery best people read math theory like could funny seem normal check big bang understand might want pick tired reading still far side stuck monitor give show shot family member world warcraft like know talking really idea see one wonderful way catch beginning show learn laugh loud funny entertaining really happy show first season pretty good show better season seen yet would recommend anyone really funny show love show pilot absolutely hilarious favorite believe amy finally fun watch first season great like funny handy summer funny show quality good enough anamorphic like show little much comedy like comedy romance like romance dont hate show could use little less comedy romance comedy seen long time show even though first season ran half season due strike publisher best add enough special justify cost complaint slightly inside discovered couple ago watching syndication catch catch far order goes might see conclusion two parter days happy see looking forward finally getting watch order get little understanding rather getting watch series price subscription la episode individually sorry happen love show great without sit choose excellent price timely arrival thanks able gift first season big bang theory two great people love show watch laugh ever want thank item love show first episode like crap second great reason give star quick summary show two work university theoretical physicist physicist well two raj spend lot time apartment engineer believe raj accounting forget penny new neighbor quickly hilarity anyway really like show overall top mostly genuine good often show good might want let bit set quite understand brilliantly lot choose show fun much like love special none commentary sight paltry selection third disc price right lot first season pick otherwise might right skip enjoy big bang theory love entire first season disappointment left lot desired blooper reel really forward little show fantastic set pretty much saw get sans affair bad thing expect much way choice seven largely forgettable minute long behind feature actually also get brief free clip unfortunately crude anti piracy message suppose thank purchase rather implicit indictment assumed piracy would bit much warner show unique funny potentially formulaic socially inept attractive girl plot dialogue rife smart subtle science math actual science geek appreciate characterization naturally little top awkwardness absurdity often truth know one may well find watching funny sometimes oddly familiar humor often ridiculousness genius really come expense show heart good even completely self awareness many laugh track get annoying times ultimately detract much show still mind seeing experiment offering optional audio canned luck though effort play sexual show occasionally crass generally smart positive tone found better overall show proved amusing entertainment life good chance agree told watch show kind tried times volume laugh track really turned show many listening show decided give show another try love show since got used laugh track also one best genius ever seen fun see geek ways would geek little bit available rarity comedy something actually laugh far vulgar returned set however least one reviewer bad physical quality wish would take note love show much good picture quality wish closed given think realm smart scientific ripe untapped fresh comedy perfectly wonderful series sure scientist understand series may help loneliness may feel like watch watched st season twice row first admit show guilty embarrassment blatant misogyny laugh female say pilot gave second episode chance sold home vortex entropy line give instead admit uneven go far good hilarious soft spot sit smart cool even guise great show like watch gym keep distracted treadmill use home gym work kindle also didnt realize show kindle cloud work unless available use plane without clear bought would gotten bought gift someone time perfect would buy future well thanks long people religion phobic pretty good smart people traditionally unable process higher pretty good job making fun science true humor great work hospital watch big bang theory thought would watch really good comedy funny lovable complaint like short season really quickly love love love show happy see ray player show laughing must think audience pretty dumb since spent whole show telling us laugh canned laughter drove wall show quite bit premise actually bad pretty funny enjoy humor may keep watching show one long genius trying impress next door concept take get old big bang theory library time wish read fine print saw great series show perfect usually rather awkward thought writing pretty good number geek right lead great job several laugh loud girl needs less dumb care accessory geek think show potential love big bang theory house forward really well written laugh loud funny quality one favorite order well relate least one character big bang theory love show awesome totally get humor whether star trek comic book science winner every time watch watch series came grown appreciate geek us series spent laughing complaint lot sexual seem focus got hooked seeing decided go watch turns saw many already first season good interesting see character development still taking place would highly recommend plan second season one today laughing entire time say totally true also set cool better though individual one bonus material except documentary anyway show really watched really incredible funny smart original cast great plus price buy confidence really love show would grade doubt grading watched translation quite poor get better though aware easy job translate still think done better job would help get ended poor translation cannot say product within first disc visible damage know disc computer worked fine would order seller watch television show within five know get one first episode cast writing worked blast watch watched episode set several times still find laughing loud bad news set absence difference would hard shoot get know bonus commentary least pilot even chuck title nope think show kind get bonus would include bonus show great buy copy edit much credibility one extra short quantum mechanics big bang theory behind look geek chic still would commentary saw show must bought catch season nothing short good sick bed made day go quick watching season couch laugh loud awesome saw clips see whole season thought hilarious super hot next door soon whole life style new part group really love show main wonderful chemistry genius first season good well would recommend show love good comedy complete first season think great new show good insight geek great show hilarious wait buy second season love show wish per season looking get season next great gift husband actually thought pretty funny sure would like show made laugh great bonus limited well worth money even geek loving show plan buy future standard definition glossy looking although tear show apart little reason fun light show would better without electronic part one favorite unwind beer work lamprey wonderful world drinking three several show finally watching sure long show hit every nail head funny show elevated humor crude humor actually story line would thought would good idea oh yeah guy behind two half men show present humor common denominator humanity amazingly well thought show respect certain character sure comedy gold later left mere empty instead actually get love character individually negative side oddity whether staunchness character inability easily adapt new inability communicate female gender extremely intelligent also deeply flawed situation hard parallel also hard make strong comparison within genre show still present within genre many elevate intelligent writing brilliantly sadly main female lead found penny strongly many let see develop later somewhat counter balanced minor side like winkle enough alleviate penny times obviously end first season lead toward character develop regard excited finally watch show long felt handful modern family first raising hope rock think much female genre dying painful death front perception expectation genre also funny hope uniquely creation third party feedback great program actually still young funny fore non native speaker like closed would helpful many academic drama never less love quirky little show little close reality appreciate humor everyone else room roaring unease think star real character reality actually thought sexy brains part show overt discomfort evident find everyday surrounded dumb folk like favorite episode got flu center universe unto great effort went order avoid illness think show mixed another oh lord confused bottom line funny funny show well worth price brilliant show writing good related somebody must geek flat box convenient large amount lack bonus behind scene great show thought would tho wait season well worth big bang theory awesome reminder still original intelligent fell love show first enjoy watching whole first season reason would given highest rating feel could done one quite time clever well written great wish would special show hilarious contrary popular belief physics get intellectual humor comedy team since barney must see series enjoy slapstick simple fact escape like laugh track people say laugh track humor show thinking humor like community recreation problem purchase version higher resolution quality film actually ray quality quickly learn laugh loud smart earth soon learn love set great great comedy laughing loud wait till season comes problem making product work show super funny one would recommend show anyone intend watch young sexual humor big fan big bang gang undeveloped early knowledge many fun see progression season love big bang theory reason give product season successively better funny currently deserve absolute still must fan great show believe discover action comes rather overly acting especially penny good many movie worthy also interesting exploration adult network people found help take care hubby like watch show since gone nights love whole season catch together delightful series inner cool likely good deal material going go head plain unappreciated avid watcher science channel scientific player find content plain hilarious even though still lovable arm length glad way perky sexy bright female neighbor penny across hall brilliant great show smart funny silver silent uncomfortable snow thing outside window go ahead remember drive tri state rest stop fumbling bag balancing soft serve ice cream cone cup holder heat blame stupidity skipping discernible effect line quietly perhaps next ream uncomfortable rest stop snow less silent silver season one tops highly big bang theory really good show wont understand stuff talk laugh track cue laugh first want qualify geek share many exhibit many similar trying watch initial first season left bitter taste let list forced laughter convinced laugh track seriously every line repetitive structure humor define every noun reading like explain every concept scientific exact necessarily bad mixed forced laughter cringe hate guy everyone else take abuse number genuine humor show rely heavily cheap comic reference scientific jargon far entire show worst missing vast swath geek culture praying mainly comic book love anime manga use high school college science math show genius initial gut reaction show cheap geek knockoff dumb science straight factory decided give another shot hearing interview someone show delight many initial mislead real science though erroneous season real character development made cast way relatable acting less arrogant plain childish rest cast tease talk back occasional anime never come much gold waiting dug rest still true learned ignore enjoy finer show overall feel show relatable human stereotypical cast get probably factor enough mitigate rest know mount tested solo funny starting watching say first love show somewhat disappointed picture quality first little grainy first picture get better got used would recommend set anyone fan show writing hope many come series topnotch give box set limited additional stuff expect buy set get additional mainly funny series though recently gotten watching series big bang love one series watch never get tired wait season comes daughter watched day dad go work left nothing good show see series hit great comedy typical fun big fan sit canned laughter one mark intelligent audience opinion unusual format prime time great plastic circle middle broken almost perfect love show hilarious thing seen waiting come could get caught new season run right get yesterday disappointed surprising lack bonus world today uncommon find entire disk extra good sure would hilarious however single commentary behind feature help feel could done much said show still amazing especially absolutely perfect highly recommend series giving product four lack bonus wife caught first start watch coming geek culture comic fi surprise find often funny root hold future main revolve around cooper smashingly thou grandiosity pomposity put upon outside window looking dreamer two comic book loving fi get entangled new neighbor penny broke big heart hankering phenomenologically understand hankering penny well sleep around lush truth tell know fair game usually everyone league rounding cast first season everyone wilt chamberlain raj smart guy accent angle unlike presence pretty talk problem talk much would like introduce every one little two fellow better play visit local comic shop clever thing series mining geek intellectual culture collision common popular consumer culture four given unfortunately penny less hot mess really perhaps future see special reason give star rating first half season p sure caught anyway good ray season additional standard common first season sub par good show people practically expect big bang theory good example although taken extreme particularly bad season television show picked later second season apparently even better third season lots think seen yet still people like start beginning season one set far waste money number good going write plot much sure almost everyone already said season one pilot rather shaky mediocre except couple funny like cheesecake line season pretty much stride first luminous fish effect one well written well hamburger postulate cite first episode showing show truly potential coming little later also dumpling paradox remains one favorite entire show today occasionally amazing first half however second half season consistently witty include decay real peanut reaction better two less screen time second half still couple great like annihilation famous episode everyone archival time machine like penny chemistry likely last episode season factor overall good season television even show best would see well best dumpling paradox annihilation season grade b cannot miss quality video computer good brand new computer great screen picture great wish write much one rest fine funny show enjoy seen show need watch hilarious way great buy first season connect missing thought show quite funny definitely watching season big bang full current social believe good television able relate show laugh awkward social big bang perfect example joke sound funny people laugh people joke funny heavy laugh track properly inserted funny many require knowledge outside scope average viewer show sound funny making seem forced understand funny concept real time conversation someone enjoy pilot predict however number hit critical mass show fizzle us entertainment like cancellation firefly premise two super live across hall beautiful young waitress cheesecake factory hilarity learn brought chuck two half men see far mixed bag know thought funny always see prime time good cast pretty funny writing irretrievably done forever work willing go suspension disbelief three camera minute laugh track format pretty amusing await steven calculus let give chance give show chance nearly relative kept telling funny eventually free show fan ever since show great fun good story ling good love jack tenrec looking twin year year old love anything hit found show adaption enjoyable near awesome level tales bit geared towards younger audience stay true majority source material part well enough tech spot jack certainly pet instant watch version well enough though annoying commercial image real complaint customer service assured already available instant watch well first episode available well month still first three available resisting urge make big season three season four everything especially team works house took bit longer really led two part ending among best show ever produced look sound excellent step previous release though missing popular previous unlike last season fine opportunity new jump board season practically self yet wonderful continuation show house time favorite show far season unbox picture quality good p think bit better though season saw seen season far watch episode unbox try play tried different computer result pro bug love series see order big fan wish watched beginning good come green box case description came little paper work season four strike think good sence change actually x good also strike course get box set way season three ended always cant commercial free bliss first start season little varied normal house formula season finale well thought edge seat good watch season would recommend last two actually amazed got absorbed back show thinking wouldnt like chase foreman gone miss though wondering may back due still opening cuddy pointed house skull x ray left temporal bone declared house longitudinal fracture house bleeding wound right temporal region house blood right ear fracture right area cognizant reader left patient right x ray read cuddy clearly taken left rear patient frontal facial view away reader teaching hospital house staff gone plenty talking plot concentrate effect think one house still perfection interaction cuddy gotten used greatly entertaining ever however rest really work well opinion shift focus drama comedy fourth series sort bit sudden comedy bad see justifiable new stereotypical really care also keeping chase foreman opening probably slightly background come forth bad show good although strong strong season house recently lost entire team chase foreman trying prove without diagnostic team ultimately diagnostic team coherence plot episode nine house several time pick team tired whole game part compelling either opposed previous oddly enough original house team wind back hospital one working end season two declare best date amber one last weeded house team primary reason house got rid much like amber winning house puzzled amber dating get back house firing plus somewhat confused fact first time dating emotionally needy girl course break recommend house remains much interesting anything else days season rise greatness first three great series season one would wonder else show could house seemingly every medical mystery show knew everything every show genius season change cast suddenly still see new enough interesting explore season house adventure action way never expect house one best must watch television well written never comes biting dialogue excitement end every episode well bought forth season house like lot season bit originality show maybe like soap opera though go far incidentally episode living dream house soap opera star thought worst season one reason see show drifting previous fanciful rendering would course require flight imagination often possible level real life except maybe breaking actor soap opera new jersey yeah right thought really cheesy character house final bit still taking bit license flight fancy concern new becoming lax success easier write goofy like instead address intense philosophical psychological emotional like become accustomed beginning show really house show character us much one way another little bit house everyone season drifting away originality still favorite show hope back course season brilliant massive fan cannot get enough adorable character admired work many epitome great actor show would without pale insignificance presence keep great work house season sly degrading staff elevated whole new level doctor chase team house implement new crew convincing cuddy allow interview mean play game different potential genius game season wait shocking bus accident house someone special last two one gripping date highly recommend writer strike house know less usual number first part known survivor arc pretty silly fun besides stunning two part finale final filler put something still house fanatic truly best price could find good season short color box cool season pretty good good deal price beat tried find retail careful getting shipment directly sometimes best definitely suggesting item fan show house medical already fan buy show might appreciate house season addition start watching mid season would anyone joke even wit remains many taken throughout season two part finale worth season house rather disjointed mainly due strike disappointing season season spent trying pick new however keep old house comedy sarcasm difficult favorite episode season probably frozen house must diagnose someone south pole web cam definitely different season like three worth price purchase really enjoy house series surprise also season four would see behind stuff price whole great package worth every penny anyone show watched every single episode house although season deliver house series always season feel mostly part strike normal crew wasnt involved every case enjoy tourney available sports got dull around episode last make lackluster season powerful stuff place kept peeled screen try try hate buy somehow never pull always last moment entertaining despite fact house main character get repetitive predictable help love anti sure feel direction season like keep saying sure hope house pick someone based arbitrary criteria mind thinking well screenwriter scientifically calculated race gender ratio breakdown highest anyhow house whatever actor name forget show per usual plus medical mystery still good love show love keep getting season four worst thanks strike major oh well get see fantastic love watch house even better without really pay attention miss something house type doctor want call something wrong doctor know might unethical house find show great set nice watch fourth season house also appreciate quick shipping two get unfortunately regret lack really fluent anyway good purchase house much season different unsure would keep story line intriguing cleverly done compelling previous fantastic role house never wrinkled curmudgeon doctor wish actually house convinced enjoy season well even though season strike season still solid price ridiculous many said priced higher given full episode going nope good enough th season far best new great story fresh complex season ending double episode personal favorite downside season due strike left season would rated ordered several except one would order long broken case ordered four different season house one case broken would give star one case broken fan house season bit perplexed would new cast interact good doctor season end season chase foreman begun develop show could possibly thinking switching guess show house house felt house choose new via survivor style elimination game might uninteresting island would one cutthroat bitch initially interested new end season found favorite decided would actually miss amber k cutthroat bitch chase foreman still present new new found independence house cuddy still trying get house behave trying figure enable house yet still friend tolerate season frozen guest star away calling house tool ever change classic house full notable one excellent story finale episode heart even though chase foreman season house strong show show avoid soap opera quality preachiness even political correctness medical television general one reason enjoy interesting see season house relationship new medical arrive new interact house many people house offend simultaneously saving people see house one dimensional grumpy offensive doctor really watch way house actually listen people say saying brilliant antisocial doctor could actually learn around house dynamic character still excellent show case crack plastic case holding bought new little disappointed bought like like great show however strike sadly cut short little bit still great cartoon cute different daughter still though sad emotional sad cartoon right say fan puppet shoddy construction come workshop hand even twenty still get laugh good show excellent good series one lot wonderful season pretty strong season overall slight formula show times feel forced especially opening episode title weak like gang hostage made like gang invincible although season high quality still worth watching fan comedy item time show hilarious love show watched season three however seem want watch much first got funny tend hit miss really belly laughter dayman however included season probably best episode sunny yet doubt anyone would disappointed purchase never seen show great friend watched show obviously first ridiculousness society really revealed un really hit home evident sane character blonde female consistently sanity irrational thinking society consistently sadly character idiotic mind set yet equal hilariousness still lapse abyss subsequent revert idiotic nothingness really first real depth subsequent sought garner revealed target audience unable grasp plain anything close intellectual awareness viewer necessary usually viewer incorporate order enjoy understand show mantra instead stupid people stupidly today audience obviously relate still well made television show even sold first show continue like series starting trend towards unnecessary level silliness writing continue funny quite understand acting go absurd season always sunny series going hilarious humor keep watching season always sunny great enjoyable watch usually watch want couple quick seen first two would buy season negative thing watch around year old language pretty bad times bought gift add collection one favorite comedy often hard simply funny one person funny another ongoing search find comedy television series replace many along way find show much knock laughing type show one silently smirking often another reason star review show getting better every season even comedy television simple slapstick style humor somewhat original every television always sunny way necessarily take sides find humor view name show take pro life pro choice problem find way make fun sides without siding one point view another often sides creative writing great show get season think day hilarious would recommend anyone crazy season watching someone else always laughing cause squeamish people choosing actually book really two first sunny third season excellent many degree push irreverence somewhat far even like double gang simply great episode sophomoric drug humour somewhat tiring gang baby episode overall first half season rather good spiral second disc frank sweet dee fire sweet dee dating retarded person mac serial killer oh boy stuff really funny one point even first two great idea since character top gross rest really silly funny anyway sa first disc good stand seen always funny sometimes little offensive worth watching many hilarious day man fighter night man great show always good laugh saw couple buy definitely disappointed great show love day great actor would recommend wacky highly entertaining watch keep coming back sure great season funny make laugh although case one disc get significantly shipping beware opinion season best sunny season far consequently must sunny considering collection must already die hard fan therefor need go discuss would preferred much extensive set special however surely cast could literally special instead provided one minute gag reel addition commentary rob glen listed cover disc nowhere found event highly recommend item like year season well difference time around diagnostic still convoluted esoteric medicine house absent team boil ocean side cure time house like brutal medical enable diagnostics process even notice pill white board face day hope show another season one quite real yet need get know right bland house io house jerk needs bring cocky jerk funny feel new got best season three watching always great one house wish could way work house wackiness show definitely grown since launch enjoyable seem little extreme house direct team diagnose everything something sticks series house excellent watching since first love show air excellent love show happen prosecutor dead set sending someone prison whether crime homicide one episode recently woman son mentally ill violent knew would kill someone stop justice weighed favor jury sent jail prosecutor save humanity save marriage young man stepfather two selfish reason lost sympathy wonder whether verdict would sandy hook shot mother school probably sometimes story law order becomes familiar boring season series farina welcome addition law order unfortunately seen season yet first farina one best long series role season powerful goes line time one episode equivalent suspect head toilet find girl however relationship martin come much detective like much better sam hard charging good show especially morally ambiguous one mother son question death son good thing city large factor play get conviction like neither character acting always casting well done writing tight surprise leave viewer actual legal system often special effects almost non existent people dote high tech like may feel terrific social conscience law order season sixteen show watch like cast opinion best directed realistic drama show big large collection neatly organized user friendly process secure well happy hokey comically terrible absolute joy b movie lover watch amazingly hard track film well discovered yeah movie lot bad guess thats point agree movie seemingly built camp may taken little seriously considered fun romp thought tremendous hammy villain enough roaming around given time amuse everyone stodgy viewer throwing random like harmonica number coming pa prison ship couple boob never vote found interesting favorite never really anything else cinema really say think trust know getting go may good time surely watch thinking going get high art something would hear people talking somewhere line watch next time drink two fun crazy romp cheesy acting plot movie take seriously left wanting see never sequel chain gang planet favorite skit stop laughing like included small cut funny little gem movie want comedic entertainment zany zestful aplenty every sense word ass benny hill cult movie classic outlive us bravo cast silly romp mean memory lane kudos director absolute genius al purplewood perfect lead find guy movie sequel love ladies see kitten former double avenger joy expect nudity mature younger provide cleavage handle action comedy double funny maybe laugh loud scene kitten healing crock plant like banana dangling r x rated movie silly spoof emphasis double kitten point separate hysterical kitten like wonder woman double avenger raven one even cameo great fi legend forest j want little low budget adventure time lovely ladies check double avenger show human race natural religious look act human plan future pensive show society also addition drama show explosive outer space fighting action first watched show grade pretty sure drove crazy make believe laser bike spaceship great mac hybrid play side unable watch computer could make able capture form none media play mac side see computer screen however see stay web site copy hulu rarely use copy well old made series gave series time one remember dad together watching series younger grow may like something probably looking back one part premise great real mention show basic fun dont compare graphics man ten dripping sweat plan row need break going ten later love quite fitness level yet interval burn workout working towards love metabolism booster huge fan boxing one enjoy boxing overall recommend anyone trying get stay shape really get good workout minute segment worked sweat giving option done one segment feeling like workout worth also simple continue next segment time would recommend would seen show title review really like modern obviously love like clint especially documentary life important people life comment specific conversation giving great description character well put together exceptionally well done forget character baseball motorcycle great escape interesting individual many life definitely listed sand misplace one watch list terrific follow documentary much wish source fatal illness thought chose nurse information would interesting store ca saw man red beard blue woman like aly thought said hi never forget greeting really moment never forget tell story favorite excellent find people know interesting especially car motorcycle racing fan course fan type doc get see got start king person cancer pelvic perfect type movement body handle without feeling extreme pain discomfort first took time within two able entire program without pain also breathing easier well good advanced voice encouraging feel body timeless movie brilliant love performance hubble girl lovely one never forget decided watch movie remember good good screen chemistry warm hearted love story saw ago first came good many later young time go thoroughly watching movie saw many ago fan acting also music little slow gave seen movie found worth watching sad funny husband said even brought tear old army veteran acting still good movie worth watching way heartbreaking love story couple different political twilight time limited edition audio quality great picture quality terrific total bonus content ported except text based cast crew new audio commentary two film good somewhat repetitive video resolution p aspect ratio audio master audio audio documentary isolated music track theatrical ray movie great reason received would continuously pause throughout movie arrival date good condition gotten disc one three disc one perfectly four finish season play well star review series hardly ever miss wait come ordered original new missing star price bit high five enjoy convenience really getting season many turns episode season develop bit always surprise expect excited anything season prison break help little disappointed time around didnt seem spark first two made smile kept show especially final season ender believe help ramp season show right back top interesting side going feel bounce back major gripe third season length show couple new part didnt keep interest like interaction various people one prison would never want anywhere close ever also power struggle control else still watching show regardless one still worth purchase keep mind bit short side far go watch season feel take back series whole first felt season prison break little stale third episode hooked usual got horrific prison known man got walking around half naked like something cat dragged threw mahone going serious withdrawal outside pretty much boy sucre still around done bag menacing wrath whistler vicious k b make interesting agree writer strike make season rushed worth though see miller hot sweaty rock hard place good program prison break know happening next kept attention movie times entertaining love season much better season still edge seat great writing fantastic acting character one love hate prison break series kept addicted could wait see next series story great amazed prison break put different different times since first series much better one good much edge seat action people say prison break season great however watching say pretty good quite good first season exciting opinion prison break season best season television ever think show stopped season president clearing instead got season initially skeptical able pull second interesting break addition new intrigue surrounding company show fresh looking forward seeing explain away infamous head box great season see acting fly suddenly shot moon figure without without much help miller brilliant better time supporting cast equally solid best addition course wow almost single show fresh another thing notice already seem little idea headed show future look forward great action hopefully brilliant end series season plot back zero main back prison time panama season small scope opposed one two primarily centered around company still problem prison break standard prison break fashion thrust together needs course true prison break fashion borderline unbelievable number plot go sometimes oh come want describe comparison previous exactly complex disappointingly find realistic act true nature assume show supposed rather good bad act accordance would certainly violence would run risk good would added whole new level believability another layer complexity personality course realistic one last thing watching show constantly telling pick neutralize bad lord never kill anyone end would leave laying around without taking top thing many ammo super secret organization company shy killing people answer conclusion still fun watch great value money wife much get episode two prison break date nights show comes get news great show problem stopped several great season new nice cast unfortunately strike complete season half many fortunately rob right pay full season half price half season given five astonishing setting would seem little cause laughter isolated prison clearly reason sour days nevertheless slip terrific commentary one must patient however appreciate merriment violence violence awesome series never boring always gripping end make u want really good screenplay story one least favorite still really dope nothing top season bought whole watch family little creep man one hate little disturbing ending sad must confess order get inside fox river penitentiary steal season ray smuggling think steal jury unanimous one best ever seen sentence chained sleep frantically escape prison crime commit two behind equally gripping edge sofa season rented reflect season tad first two fear acting plot still superb season probably ample amount dead action around yet another escape con fight die prison onset end thrown cruel merciless every man woman zone even unlike season often stick together complete mission season hell loose show beautifully elevating another level may like change found quite appropriate fresh unfortunately quite weak story trust discover make somewhat less believable season season kind slow first another gear seat begging needless say want season ray want third season prison break miller back prison time dirty prison panama tyrannical wire wisdom also space bag wade mahone works outside get brother free cost assistance mysterious associate agenda third season prison break provide pretty much action suspense drama series would come expect season success however falling victim writer strike third season prison break feeling rushed somewhat incomplete something still comes noticeable nonetheless aside still great seen everyone fine form well third season prison break flawed still enjoyable stage even bigger follow whole series absolutely good entertainment well written good taken wonderful ride great show however found prison break half always see series finally kindle fire watch far entertaining keep edge seat episode action easy good turns good new stretch bit make story line work good season like action intense bright based finale prison hell spoiler alert however first look dark grim really season goes find dangerous first actually quite nice minus living prison dangerous drama intrigue spoiler important season next season better would still watch first season premiere check bad show watch really could wait start th season hate end maybe fifth season many season drag many rain obvious procrastination made breakout plan take lot longer said still many suspenseful season mostly course various would outside former guard rough time cunning found ways work system inside link put collective together formulate constantly made tough inside mysterious whistler prisoner valuable certain company would stop nothing get alive really die link really box die never saw course leaves go mission end season trying get revenge find really prison break show sure season lot fun main going back prison break theme away cheap fugitive knock good creative writing lots non obvious plot entertaining supposedly prison worst worst panama everybody perfect maybe take stone course part prison intake covered time since longer play part plot guess decided skip person tropical climate wearing long sleeved shirt time nothing story plot lastly director one technique signal tension scene suddenly start gasping like ran marathon director desperately needs minor pretty good would recommend preview interesting watch kept attention like fast pace different twist watch future k ville potential great cop show least smart enough shoot new already become night gumbo tradition gather around set enjoy gumbo watch another episode wonder unlikely partner get week take real new chase everyone new longer get square show decent job showing day day many new face trying rebuild show also call new home despite poverty crime isolated incredible richness new cannot found city music food people undying spirit highly unlikely worthy soon acting passable writing realistic greatly enhance become great cop show set great city big fan vice high school remember uproar surrounding negative light cast upon city k ville number first saw like new always one favorite fantasy reality setting compelling drama simply better backdrop post k ville potential cole quickly establish strong capable carrying series charisma chemistry alone quickly find distinct voice match show setting exactly pilot episode formulaic main plot bit outlandish failing enough intriguing premise resolved way easily strong supporting cast webster deserter trying get job dignity back several intriguing character driven sub bode well future unbox note episode black audio video impressively crisp clear transferring via unbox player quick easy important film see propaganda standpoint u boat captain crew ship war later turned savage sarcasm factual presentation put show informative sides issue first season great season quite make cut still good get wrong believe choppy rushed quite sure believe strike season season short seem bit forced brother sister really add anything story easily forgotten enjoy season new probably find season tad short time really understand terrible yeah short season yeah tad convoluted times still quality production eye accustomed fully recommend product wait season start great show quite good season strike everything guess forgive prison break lost significant degree many us perceive world around us uncertain unsettled times even high level implement almost never seem hidden work completely understand control set consider lucky figure change world may never get know hidden mysterious plot plan act near perfect reflection expression current watching could therapeutically help vindicate validate number possessing near supernatural live secret normal ordinary people rest world know wait poor gifted idea came season one hardly aware existence beginning watching unfold riddle wrapped mystery inside enigma borrow someone else someone something working secretly find gifted cure generation seem agenda organization maybe one specific individual good understand good apparently working diligently toward near extermination human species ever know real agenda first season getting know many gifted small human nuke city new york lots told time learned know care season two meant look one onion layer give us glimpse underneath human species experience mass near extinction without realizing sadly season cut half quite lot behind complete extinction part save plot left get watch largely unconvincing picture trying live normal trying understand purpose course making sure world end really get see part season compelling story often heavy weirdness add series introduce take sides occasionally perform summary artistic justice specific real life illegal immigration controversy mixture compelling enough watch even though occasional unplanned watching want give chance redeem season three understand problem strike forgiving plot may good advice ongoing season three perhaps overall good show careful slip weirdness weirdness sake tendency turning cheerleader something resemble old bearded lady increasingly frequent killing miraculous reviving main overall balance may disturbed entire effort could turn form technically speaking show first class clearly gifted work together acting consistently good knew season one disappoint jury still couple new pretty good killing prove couple interesting story well done providing useful background understand hiro quest another news report mysterious inventor seem directly related shown season two assume meant season three teaser oh one weird detail good reason disk set first lots extra first disk disk one episode plus done could justify higher retail price overall show rounding feel truly rounding star count hope great season three rebound may happening writing review know next season bundle next year watch volume two still original show without getting far although big fan series came still enjoy graphic gory tho always show nth degree great acting little violent though otherwise enjoy especially cheerleader got could finish watching series happy get soon four due writer strike remember five ago usual complete season comes bonus audio cast crew alternate ending understand lot catching going back time future stay connected going present medieval lost besides love hiro mind mention add comedic flair show hiro heart hero destiny save world would think season explain season find watch season find like one comment said like whole different season nevertheless curious see season good great unfortunately cut short writer guild strike beginning season actually supposed part season tell story season slow like season pick pace see drawn towards ruin anything like ending short supposed stated story arc part season show season ruined writer strike slow traveling back time still patient find good third season bad anyway second season expect great season one good lost season three second season often said vastly inferior first actually quite good hiro old japan pretty compelling perhaps series best villain season exposure company healthy bit new somewhat mixed bag interesting story much maya story little repetitive power similar west completely annoying cringe hand found elle worthy season one first half season bit slow last four provide best adrenaline rush highest overall storytelling quality since buildup season one written season one true would best stop watching stop man wholeheartedly disagree season two although couple boring largely quality season one fear season two forced show panic fix second season ended truly awful volume season three hope show return upcoming sadly join series sticking true albeit one series first two first season spectacular got attention deserved refreshing relieved many people show made success season pretty good success season let honest season came know expect season going first probably significantly super high series much happen could bit let second writer strike abruptly cut short know season would turned opportunity run course agree uninteresting cast agree story best say overall disappointment plenty interesting compelling going make well worth addition one nightmare man fun although used peter amnesia fun come back powerful could stand agree half season way much price well seen season yet pick keep mind year whole tall order match sheer brilliance season one compare season still rest grab engaging first season still rather entertaining watch back back never watched first fill several little whole package extra contents excellent video audio transfer incredible problem second season could much better product exactly actual season short watched weekend far series today series great relieved find second season much since full season half long first season must series knew one bought season hero like anything hero great time way season could determined season full tilt strike hence arose interesting note extra blue ray listen talk going instead ending got like hero must buy absolutely season season nearly bad people make still better problem writer strike season feel disjointed rushed still entertaining addition elle feel used well also lot season made great villain pretty good whole virous great mother downright creepy boring barely role hiro spent way much time japan also wished new crew given peter annoying well worth time like watching cause hiro japan rest show great looking forward season show guessing edge seat way anything happen still puzzled title series stop time time always return next episode season similar mutant series special strength rarely concept repeatedly next evolutionary step homo often anti hero effects still deluge theater series could told extender much longer rated series still much better vast majority standard fare constant viewer ever getting little disappointed season acting short turns strike cut season eleven meant story fully could lot less content otherwise entertaining show moving season think season well written well hand feel always enhanced human theme think x men general great fact flawed line good evil blurry kept story real hiro particularly good perfect victim sweet powerless indestructible hiro simplistic childlike view heroism combined powerful bennet also memorable hard case realist soft spot adopted daughter truly terrifying evil geek unlimited power well done story reason give would preferred little less graphic violence difficult suspend disbelief example whole turncoat stage volume bit hard swallow season one phenomenal really got wild funny exciting dark unique season dipped quality bit partly due writer strike still found entertaining bad many making hiro spend much time japan wrapped nicely new elle given time screen much hiro still quite bit nice set next season like amazing disappointed season stop watching really working hard even made apology second half season even better show really second season first great really thought came together second know people much character development enough action balance right learned knowledge came understanding respect pity writer strike made short season direction story going still must buy fi fan disappointed season loyal fan however strike definitely show script fell short throughout season magic st season show though air three four time smooth well written brilliant acting season two fell short script new well awkward stage one st season veteran provided disconnect season performance far hope see show awkward stage early teen made even annoying rude may say connect character cheesy camera forced cute early teens acting weak like west great potential character actor look would acting talent year old first year business seen office slight comedic presence show however performance brought show fall making another set could hardly watch said made weak equally character bob bishop daughter elle great fitting drama mystery character interesting little suppose already wondering cellular regeneration would mean future death natural really character show performance character justice far favorite performance new season carr actress whose accent thought authentic performance thought flawless generation wonderful really tied show together way could call almost fitting though season bit disappointment near ready abandon ship worth getting understand plot year almost nothing well get know even slightly disappointing still show get anywhere else watched season whole season really nothing like first season said would say pace pick last four five season last pretty close quality season factor otherwise slow season wife got season randomly instantly sold probably know reading review season one five season disappoint strike short like first season regardless still pretty cool entertaining overall feel dire feel connected story wise still worth four though buy like lost better day though writer strike havoc upon season lost many worked well dragged hiro japan superficial story full bad one better great actor another great addition character elle kept check company agent turns previous relationship supposed built upon pace strike season story resolved quickly bad elle story one inconsistent season bring spark season though peter better season without proved could use deception manipulation get bad character maya given annoying personality needs strong personality play completely dominate learn personal power comes power focus intelligence outward non human great potential new family found plot weak young though terrific could keep moving would see death husband though ended victim instead complicated strong woman season crucial understanding due strike still entertaining show although wildly inconsistent series even much reading taste slow start little boring thinking involved many worth watching warning series additive consume time day look think want money reason work want get angry get angry apple making difficult pollute site misleading nothing quality show supposedly rating opinion show second season also quite found little short intend buy season quite promising series going season two season unique new touching movie excellent recommend everybody enjoy really good mason personally see many people season came low based surprisingly certainly bar season season almost perfect regard writer strike sure took toll everything rushed rushed story give benefit doubt front said could done better probably still like season yes getting tired old annoying time new villain need bring maya dumb dumb especially main issue show still better stuff yes sure rent first lost patience copy weekend disappointed much eagerly await season season favorite season interesting wish could continue show lot potential still really understand people always season part think people unfair really terrific show second season short yes agree year short almost every show network fault irritating everybody blaming season short due strike fair show even thought great hearing people going saying awful watched really rather thought interesting much follow different two new hiro connected til end really whole shanty virus interesting kept edge seat seriously whole old thing involved peter new really cool finale really great maybe bit season finale get upset anything first finale say pretty good idea going happen end season even though turns two sure bit mystery getting shot end edge seat material bad thing short fact crazy hiro past part connected really great story telling one respect show love hate know try something done show seen done another v show give credit credit due get season nervous watched really problem one would better gripping entertaining think would given people blame strike one single show every show difference show lot see clearly season either way thought season little disappointed went trite good villain ever also bummed l would thought even without nicky multiple grateful able use whole town scenario would made weird watching prime probably able keep watching one episode per week talented first violence beginning great everyone would love kind super power course love play peter another year another big mystery world save lots new lots original set hiro goes back time molly goes post new hiro dad grandma former star trek leading wonder connection fascinating season one price little high half season strike fan definitely pick show turns recommend anyone trying jump without starting season one first many cross series well written special effects great season think pretty good considering cut due writer strike mean strike useless left us nothing reality year season told good story could due short time start bit better though hiro oka still show past childhood hero excellent alias led engaging stuff season finding father molly little disappointing admit however nightmare done well enough care awhile wish since one season also little creepy speaking creepy quinto back powerless dangerous even without though woman dangerous power everyone around turn black bleed good person kill people brother power control power sense head think good person help really fascinated power well back help get back peter milo mysteriously lost memory remember brother even brother help use bad though help bennet jack daughter somewhere protect company stay low easier said done though since fly season many turns lead something great though end really say instead bomb virus instead hiro seeing future seeing peter instead could original familiar already seen season shown act wasted season little also new already seen one fly like another heal like however probably season could due strike could worse discovered show caught marathon stop like marvel matrix anything fi great show season little season lot back story try product context support instead forum complain show great season dragged bit interesting portrayal based modern society world would deal people little comic book series rising really much good watch stand watching waiting c next though goal make good program manage get close telling truth world crossing mean season received lot criticism general opinion really bad aside fact unfortunately cut short nonetheless wrapped nicely end interest interesting subplot company targeted one one mysterious killer terrible grudge main plot virus world population also cool favorite back lot get full chance shine join main action since season really help story much introduction electric elle sure hiro time trip japan feel bit long winded many character like handled well nice although small addition saga definitely worth excitement action fun grown love leave dying season start find show entertaining enough strange keep guessing favorite hiro seem enjoy appreciate special like absolutely season crazy season bought watching special watched commentary watched season supposed go strike never would season great season story line moving special worth along commentary get see untold meaning go later season really cool fan need add collection anyway something season show going get better finding mildly amusing totally satisfy episode writer strike season incredulous furious television show good hear teeth plotting revenge way little ridiculous really yes sophomore almost inevitable introduce idea like branch enough idea second season please happen basically idea v matter spin never going exciting first time around still amount star amount people agreeing star astounding good first season television large still excellent terrible go coming together new york stop explosion would kill people planet spread seriously really angry isolated part appeal first season totally ordinary people find totally ordinary come together stop explosion thing us would go back normal believe threat yes climatic exciting forming justice league evil several suggest realistic season go anywhere plot move like yes agree plot less exciting still exciting whole lot work go though whole bunch bit slow readily inevitable would happen swear forever logical plot happen like watching science fiction show rein back doubt always really happen never enjoy think lot television show found lost personally think even worse regard besides move story along somehow plot little say case ton sit shut sigh yes daddy time traveling ran amok season two unfortunate still reason totally alienate show find show use reasonable extent point duration eat hat new want catch hiro many people new source boredom yes everyone favorite character stomach squirm camera still hell think going advance plot many shadowy doubt without new agree got bit times driving force intriguing hiro japan longer awesome watched entire season would realize vitally important hiro travel back japan order shed light yeah answer second question still pretty awesome longer cracking amusing know trying correct history get bit downer unfortunately stop hiro knew moment saw later hiro would getting serious slacker self bad heavily special effects first season one dialogue bit well ordinary plot less exciting effects longer mind blowing turn writing complain along conclusion still great show felt show second season need get life act life show every need guess going unpopular plot season three going epic soon hooked rest us series different huge fan plod along times find especially endearing love keeping suspect season might even exciting engaging first strike cut short since introduce premise plot creative team could tell straight ahead story never right final alternate ending drew short hit new creative flowering last season struggle gather move forward small task saved world take credit scattered japan present medieval past orbit struggling unknot conspiracy together old come back fore must face new enemy collective guilt find fault season needless introduction new complicate narrative arc season many disappear two three sometimes notice like x men mansion strange expanding army becomes difficult audience keep mind remains tightly structured propulsive story good use popular science fictional new inventive way interesting complex needs faster speed light wish chance explore bold wrote worthy successor first season series first two first time second time think writer strike might ruined show midway still worth watching ill admit season live first still well written put together major disappointment length season think reason season enough build anything big hopefully season get show back track happy turned around story line unbox great actually gotten back series use watch v like plot excitement go trying save world learning use normally write tired reading bad mac buy something forum complaint happy stop writing kind please rate content thought season two great show never gave ending watching like waste time season two hit show four season one ended family new job paper company real one time daughter supposed radar company find new special power harder meanwhile living new york city take care molly bad man gone work company working try take inside hiro stayed feudal japan help childhood idol become hero legend family going dark time older brother peter unknown however peter alive well living problem lost memory maya heading us terrible secret cross take dangerous turn season forever known season affected strike instead regular full season got made happy however since bitterly show frankly hooked unfolding story first season acting special effects continued great main people centered fact spread country yeah would nice together different draw season one bet given full season would seen everyone come together even new especially maya yes found bazaar involved certainly hooked get tired hiro trip back time however nearly long creator acknowledged many season hopefully get season three strong overall first season certainly need background understand season three want join phenomenon fall get set catch previous story today know know season two good season one season one genesis season volume two par still bad biggest complaint hiro oka feudal japan way long finally came back present another complaint sanders much whole story one last season lot people hate new especially maya actually like incorporated story also like admit season little slow beginning episode everything set revealed really pick pace quite enjoyable season terrible great set stage new season volume three cannot wait read last review vol see really like series constant continuation story unfolding new great action special effects wish like instead reality watch able stop really enjoying series sure watch came course watch series back good show though second season let ways even admitted made mistake assuming slow build first year plot hiro japan dragged long come together great none good introduction bell wonderfully psychotic elle despite presence poor plot still great menace watch character inspired well think season strike curtailed still second volume good way enrich show history great first season still better drama even network today plus sure touch might help well making must whatever price title review pretty much family thought season writing well hey pretty rough trying match original although really enjoy season good first many plot think mainly due fact season affected writer strike like would recommend season good great continuation stellar series would agree reviewer necessary season bridge story longer run note season introduction slew new seemingly apparent reason however tension built via story arc upcoming must see season two good season great season comparison second season put blame writer strike time overall would still recommend season anyone first four star rating tad generous rounded three half host ex thoroughly far season doubt episode incredibly disappointing use bell turn around reason show gone south easy locate writing simply par comes host ways let enumerate first fun season one waiting various come together immediately dispersed first episode season two structurally everything season one unification nothing like instead series like good second instead already large cast decided introduce large number new think fury many central sister brother making way north anything anger time spent already established really like think thing side sliced toast power similar peter anything well anyone power peter acquire close proximity third simply interesting far possible foundation interesting story later laid much far actually compelling introduction bell prime example gone wrong show sure power going though seen teaser unbox introduce might reveal power almost immediately mundane way wasted opportunity bit peter away another part world interesting thing debut revelation works father afraid going disappoint usually get like well written show imagine know father learn later fear met father entirely new character season one always thought somewhat many anyone considered better lost let alone vastly superior like night pushing added list year far least better gave season one five star review feel deserved overall far would give season two three tend optimist hope believe get better one last word wonder departure fuller consulting producer meant show wrote far away best episode far absolutely splendid nominated company man know much brought show know far disappointment fuller new show pushing three absolutely astonishing hope title fuller new show eventually apply old one really enjoy science fiction fantasy paranormal series closely x men far genetic x men like series ray quality excellent unfortunate handful didnt c season saw season awesome show cant wait season show easy way view series without sit certain time hate done well able go directly show want see version u region season two disc p advanced profile size one h movie size video bit rate master bit episode two h movie size video bit rate master bit three h movie size video bit rate master bit four h movie size video bit rate master bit season better season yes novelty new show curiosity go shame course always better bad season degree many put plot catastrophe avert villain stop albeit villain feel fearsome considering non threatening ability new old personal midst everything sure could better say extremely better bad season enjoy season offer knowing leading thrill ride season season caught two nights awesome wait season absolutely terrible wrong people season two fall short glory near flawless execution season one fact strike largely blame sorry truth know people would rather cry disappointed though much money oh right pay cent content stopped writing hearts writing might come little differently fact matter hit worse network series strike indisputable industry fact even retain much integrity show alone worth price admission people quick jump ship leave rest us enjoy looking forward season three take poison elsewhere interested think really funny hard people second season mean show production practically shut due strike result try squeeze worth material mere admirable task obviously considered think good job anyone could show like intricate detail myriad turns really needs much breathing room possible certainly lamentable time table really however despite brevity still pack lot goodness second season new forth new old everyone favorite far way maybe even bigger threat ever hey pan automatically ask much could writer pretty sure done nearly well anyway season amazing misstep one television best certainly done yet although best season much seeing season season going see building toward something still great function get back game clean transfer interesting example documentary like history channel special usual interesting far story might collected comic great first little know would become valuable later comic art live action pace fast great fascinating never knowing good guy bad guy guessing alternate ending great touch looking forward release season two could add collection watch without season two special effects stun added dramatic depth character development especially hiro disappointed hardly wait season three yes season one better detest whiny constantly expect everything top better minute good whenever anything new comes especially something plus pilot episode remarkable impact wow factor always matter good many feel chose tune watch ever increasingly amazing spectacle bad never get get forum blast series impossible unfortunately seem listen especially fox came back strike gave us second season could enjoy complain try prevent third season course believe easy could done better cost set part minor cost number pay half price full season realistic last year entertainment world hit major road block put hold television cut short many upset course point wrong people one went hard strike incredible first season left short second season sub par plot blame big entertainment blame heck blame people economy take people tune every night see give company effort fit entire story span long entire season people new brought show like maya elle course watch bell even cheesy reality show brought us inside company us formed think downside peter story whole second season entire episode season would much story enter season feel back groove redeem show back awesome glory got first ray disc impress quality content series great unable remove tag corner thanks great beginning id watched close three like bit slip season one still enjoyable enough keep watching pick season get wrong love show acting story setting finished season bit weak bad season capture flow well like season one hear strike around time season made could reason bit still cast get see new story bit hurried cut lot towards end season along also like hear bunch sorry sorry cast member every episode completely love show like always say go detail spoil anything anyone watch football game bit shorter still little dramatic show much football people overall love sure far season one best hope good better keep watching read review season one clear full hearts lose go give show anything less five like many though watch show first season even going limb say one best single television ever seen best second season soon lead episode yet watch season please stop reading giving away want ruin anything murder subplot ran season simply inane false unfocused every episode featured dramatic strange sort show first year street little trip also feel false uninspired work trying keep show air season goes along however show past glory acting like previously universally strong kyle chandler amongst cast cannot get nominated astounding ridiculous story alternate amusing woe heart breaking pretty much anything dealing smash attempt get higher totally decent night still better best though season start strong sadly far abruptly night second season may strong first sure nothing could still compelling often brilliant collection essential show book movie good first season still endearing make wish lived television much heart one suffering loss former high school football coach eric kyle chandler assistant college coach wife daughter stay behind finish education tammy birth daughter eric difficult shuffle life home work acting father absence relationship quarterback still trying manage senile grandmother alone dad fighting aftermath rape become close relationship sharp turn rapist dark secret could put one behind searching redemption church service trying repair friendship bound porter college come calling smash pick litter something forever normally small town thing take long fall love series spite problematic face incredibly realistic times equally moving everything inner racial teenage rebellion sides see teenage perspective drama also experience frustration mother child fifteen simply grow hate like coach always lovable selfish daughter harder like one thing series well turn tables one episode hatred opposing coach reveal reason behavior leave feeling show everything busted jealousy also enormous amount verbal fighting particularly coach wife well daughter honest end day everyone fine football thing show heart leaves feeling uplifted rare precious thing spite parental teenage passionate make sessions include removal clothing waking together direct sex protection wedlock visit strip club one lap dance bad language common underage drinking present excess violence field old gun man beaten death two lead pipe gift husband live season one going excited able see season two father two grown total lack father show great show little slutty night one best time even best weak season reason people show love realism killing dude body dad helping cover murder pretty much everything town look abandonment multiple character story arch end season realize seem feel way season said show amazing regardless might actor kill every scene worst season better watching keep mind watching better onset show skeptical cant say movie much yet usually love football related watched first season actor type show long part amazing writing everything amazing season two watching forced work nights never saw second half season reading pretty negative upset thinking new favorite show bad truth understand football show toward middle season lost football aspect first season could always tell day week toward middle tell know went church twice without ever field real time show compelling almost forgot would practice kept thinking well night got back track football near end season whole smash thought heartbreakingly good television season got cut short strike real season good news show skip ahead start new school football year find happen favorite praying suck reunite senior year show lost central focus middle season football trying get state head oh three row anyway still amazing show love dearly cannot wait till next season one start loss football section season really like store line show even got pretty excited football ha ha really like show really good story line interest ashamed show ended though like age constant aging good distinct large cast good job enough football keep interesting really people alas another great show extinction wrong tired reality give good drama real emotion day hopefully deal comes get back another season got everyone know watch mad getting hooked something good facing chopping block wake stop trying like set apart grow different like medium er come surprise us one well popular never watched air admit eye opener bit disturbing see amount drinking sex among high school something would watch guess educational get wrong actually true life bad good normal people various well engrossing viewer second season brunt emotional display certainly upset love treatment first season given time probably designed bring new audience even though really short murder never really felt believable see people seem right journal small town authentic come wow high school forever weirdly anyway season bordering unbelievable year old yearn year old hey yet seen disc far great new still first season wait get second season well worth love individual hooked love coach family real family would given get tired one main sleep whomever whenever one daughter dad unfaithful sleep another guy really sleep someone outside marriage great first season thing ridiculous mention whole murder plot line said really last went little top season clearly least favorite season fact end abruptly stupid strike still love anyway great series need watch first series good character development good series see enough football number ardent scoff season mostly infamous attacker dump body ensue favorite would argue value first fine job confusion torment next relationship number important pleasant another criticism season centered brief relationship grandmother home health aide done various lead great coach scene thrown drunk shower coach everyone leave wrong coach realization dawning face nothing wrong nothing wrong final note casting father stroke genius small football town believable story intense fun time worth watching although uneven beginning season second season night still emotional dramatic punch season one sensitivity authenticity show writing acting production unlike anything seen network television maybe show still yet reach audience show think feel want share experience like good art beautifully show fact many figure market thing great show football rather lovely slice life human spirit country ordinary everyday small town buy treat rare treat network television disappoint streaming extremely easy video quality audio picture came really sharp would watch whole season great season odd story huge fan still great season though season still feel pretty full look back sense artificially extended promising eric athletic director well coach female coach giving grief getting absolutely nothing challenge joke made female coach laughingstock gave something else coach volleyball team ignore daughter another similar story time grow mean one little familiar journalism professor wrapped one fast ink still dry well one two interrelated think sexy teacher encouraging investigative dad money goes program maybe decided leave feminism social justice instead wasted like dealing sister hanging around house time acting defensive acting say show great general got tired super tired acting awful towards everyone else show afterwards advise watch include full salute peter berg attendance many many though smash reason ask really smart actress smart airhead smart done lost fan insipidity gum conclusion season one clearly idea going problem c season two season one perfect season two new character one main basically break happy thus maid grandma hot young teacher new everybody got somebody else ratchet tension point double cast list miss concentration core cast oh watch go slightly worse first series possibly due strike cutting season like lost part football element show however still fantastic series short one night heart warming sometimes funny show many times laugh sometimes back high days though worst ending clearly qualify word season final well every whole story leaves saying heck also think way many similar teenage love keep wonder cannot develop something else anyway still pretty good overall would recommend anyone interest football family three night pertinent teen dramatic intriguing way even would interesting honestly season great season season season still great within serious tone mixed playful humorous writing also heart breaking together shocking even season still one must see really want bash one favorite want honest people read many season could done better opinion certain place maybe even grown high school instance read see asterisk want spoiled instance kill guy decide throw river call explain probably nothing happen even call threw river still would probably gotten easy confused whatever come smart yet like total dummy came confessing murder seriously man say life goodness know like forced story line really got way great show story made mad smash seriously want talented child one go college like instead mean thinking sure want get education rather worth millions sake education education tell ya cousin chance play decided join navy get education instead got mediocre life god race issue twice season involve smash give rest ya like show listing like even like still better lot watch anything dealing glued well coach eric best two whether wish longer season pretty hard go pick smash bridge smash nothing boxer shorts run party get butt college laughing talk give smash crap really funny part time really great friendship part two black white like best sadly show one many got hurt strike tell end season show truly season ending leave hanging state many story fully closed season ending closed least waiting next episode saw menu screen got came mouth pist ah well show still great even every episode hooked wanting sleep saw one episode make sure watch season first first bought product season sure expect since appreciate way spectator though part scene realistic interesting negative aspect series especially second season implication religion aggressive way present personal feeling worth shot though season built show strong first season pretty much never let get bore pretty much one dimension character even unlikely people turn amazing unlikable one week yeah looking yet still manage make root truth told hard think better ensemble cast right grey anatomy get wish could genuine kyle chandler group manage easily great cast great make pretty solid show til football show know know night football show c e n many make team making final comeback drive win game see win crazy talking high school football yeah decide make football realistic rest show pretty much reason win night great sports drama small town high school football team everyday head coach former well show many different story captivate attention however show centered around small town high school football team said high school aged drinking strip would never happen real life least st century kind may past certainly said still enjoy watching show great escape back glory days high school football also included prime membership realness got bit season awesome acting pull character even post depression without ever really pointed slighted reason give season star ended little abruptly writer strike side effect completely satisfied left make excited see start season thank thank thank whichever intelligent renew true around excellence writing acting camera work everything way many today lack creativity actor chemistry form talent night shame every show dream coming close good one great lot action plenty drama also good character development get good acting rewarding experience one best written seen last season focus football shaky cam personally mind felt visceral feel action season however less focus football development football pitch gritty emotional well show charming funny one thing bear mind season therefore come abrupt end quite significantly less football second season much drama hard feel many teen based first season almost drama show around football making stand teen around coming age second season much coming age character development almost entirely outside football arena new arrival show brought possibility exploring football community based sports help violent assimilate back normal life barely touched though may due writer strike similarly streets recovery adjustment life also minor season one one two touching character floundering loss football college fact season one well together split hardly season still good grit first season hopefully still time recover series best one ever seen well worth watch quality pretty good well vastly different season though great season back track also streaming prime season fall schedule mess due writer strike saw script withhold effects shake seen two crucial ways course season early abrupt ending round coming incredibly strong first season second installment night least first markedly different original slate less focus football much character drama general effect family eric job strange relationship tumultuous triangle friendship love stupidity fact first six season little football seen whatsoever unfortunately wait see approach strike thus paramount show biding time show still format football punch gave heart first season second season though really start pick somewhat cheesy overly dramatic early season murderer body fade background nice football life mix center stage fact think truly back track season abruptly mid stride strike first episode season three go fill certainly way run dramatic series one overall cannot give season full five due behind powerful football still solid effort pushing forward great ensemble drama first time year wade bit unbelievability get love office however season really believe strike half normal season disk lot season rushed miss lot richness second third season however must follow story come still office still amazing overall especially regarding new position power felt something iffy pam finally coming relationship best episode probably local ad office one best produced last number season although reach bar set series much recommend dinner party episode undoubtedly office hilarious best although series hit height still produce enough enough make series pleasure view love office great watch season think price little high given short season stupid strike shown therefore imagine joy found player region therefore could play office season season best season however still hilarious well worth buy like dying know end season climax also add opinion seem better standard content amazing product would recommend anyone state side enough season quite enough season worth buy love office keeping collection going season awesome even strike really season office entertaining meter quite well office fan promise good quality complaint longer whole problem office never long enough love love love office season five unfortunately many season strike might reason series consistently funny new like season still best show good got little sexy good office season television season past decade third season quality bit less stellar fourth season cut strike season quality took small drop main complaint office season intense focus office yes pam hear show much better watch watch comedy bust gut continue best show best episode season survivor man mostly two alone probably hilarious episode television season supporting great well baker another criticism hour long first four season hour long consider worst office four year run great show needs stick overall drop quality previous still excellent television course get lot matter season watch hate boss role hate guy definitely watch though lot great season check never would thought show small paper company would funny good acting job good season fan hour long lot latest season seem short lot probably hour longs strike wish special set even less cause mean without special might well record season bother wish season longer star shorter season later family huge office get soon gave us better price right doorstep enjoying season truncated due writer strike nearly good still better office season whole lot episode hour long flow flawlessly far story line concerned also way disk setup disk setup mean last disk four episode also next episode menu season package comes script dinner party episode get read get feel improvisation actually intended hope decision fan office probably buy season regardless review season got weird part network week week giving one hour slot series always short sweet minute format hour long felt turns bloated unnecessary silliness opposed usual necessary kind thin course second half season felt like mad dash get somewhere writer strike really lost importance setting best office take place office pretty much season right setting crucial yet wander farther farther away episode like wedding season special feel special like refreshing chance make fool front new greater people lost series show beet farm times square part great even essential office slightly fluorescent lit familiarity office series received promptly good condition gift however previous series always well received office season good season yet series best season thus far strike cut season half sure would ranked season season usual story complex relationship pam also odd disturbing times relationship usual season laugh loud well many turns along way season premiere one best series see run car effort apologize also take blame away fun run find cure rabies also see quickly adjust bright big city world new york inevitably fraud season also end mysterious relationship due untimely murder cat shortage annoying wildly ignorant manager dunder us wild ride weird relationship well new crush holly season finale lot bang hour long episode pam going away party organized toby always last scene curve ball next season finale different finale walking duty desk season many complex excellent show season worthy special anyone interested blooper reel minute block panel office convention shorter like second know rabies good option watching office computer ask bring office able take computer also put give access one computer well good product even though season cut short price charging season bad best buy charging price circuit city charging charging checked anywhere else think get much aside great season pam relationship well always really wait season watched season yes best season real complain remember office cast went strike get better pay everyone involved office show remember office cast average people like show recently th season office say service everything first able watch already hilarious well worth money watch rest cast completely outdo come incredible stuff every episode service hand phenomenal well ordered slightly computer illiterate time extra charge ended front door throughout entire process felt comfortable secure informed along constant e mail shipping brand new right package absolutely damage done shipment needless say incredibly entertaining known many office reputation clearly review sway mind want public know season four office absolutely wonderful process order incredibly efficient may best season office even great season better lot television like stick see lull season start pick towards last season well really another season three best season comedy show ever way writer strike made less likely office would scale previous season half amount time around surprise surprise good news good anything done till mania branch warm glow local ad demand many mean spirited laugh free zone job fair difficult sit difficult think better way spend cash rabies research see first episode fun run buy expect another season three cross season five one buy television come expect lot office usually number excellent usually provide interesting entertaining however season four four particularly dinner party toby normally think great extra spoiled watching many already aside hoped reduced episode count season would offset background information said still better job many series season four office least favorite strike affected number found plot line stressful funny however office favorite show season still great definitely worth also appreciate fact priced lower previous presumably compensate shorter season season series furthest departure thus far office incredible smart quick witted dead pan humor season watching office lot like working office get know people work learn little bit personal essentially life work season departure mostly clean save course said comedy series mostly flat season rounding show less office personal love big character great counterpoint become distraction show anything toby departure end one dynamic back forth live screen hate say comedy television turning another slapstick comedy show doubt keep watching engrossed sure type show worth nights around office meet meet office good still buy season love show simply hilarious season funny fan episode show watch enjoy season strange season doubt bit long strike great great season version office still better right possibly last good office really go downhill season time season lot great especially like fun run first episode saw series wife watched office since first came every season fourth season great first three office disappoint first mind show give show zero try defend rating lack quality true season consistently strong three way low rating anyone beginning bit letdown still overall strong hilarious season despite said still like office whatever early gone second half season second half filled funny touching anything come prior character handled nicely pam course emotional roller coaster lot great stuff goes actually even taken plenty two main left branch one left cast altogether position power end season worker outwardly defy cast member go jail another worker leave office good collection also comes script dinner party wonderful surprise screen writer script essential revealing look mechanics show first feel quite think probably main people rate season low act even outrageously usual episode cat really pushing believability also first four hour long dynamic show short punchy felt bit comedy slapstick car going lake mushroom incident hit car thing big pam fan couple much felt sort aside without enough plot around made character seem sort cold interaction finally crossed seem bit little late best best deposition best said yet along really heartbreaking stuff toby office never able match season two casino night comes season comes close branch awkward moment ex dinner party home life stutter ironically enough came respect boss episode season best series still entertaining comedy office like lot new hooked double length increase episode count short current full season puzzle half hour short clock cut get disc version selling price worth disc q session office convention nothing much review good price received box set cover holder especially lovely show smart wit enjoyable like take everyday try find good fun season quite par still worth collection gave star badly get free super saver shipping justify enormous dent side box like football stand show making unpopular everywhere go took home watch immediately resist breathlessly funny ironically twisted humor apparently best comedy television far season little short strike got pretty good deal husband one favorite set nice still one television even though bit different dinner party great different outside office toby lot love holly done cannot help go back first must say humor found office series amazing capture awkward every day office life brilliance said slightly disappointed season still great buy day missing little something bad still fresh lot series starting season last half season blueprint character personality status better worse best pam much assertive loud wardrobe looser assertive personality worse cocky pompous jerk promotion overly competent attitude last long see moronic ever ever turns decent season although prefer complaint season way short obviously infamous writer strike going season set less expensive like overall religiously watch overly hilarious show never get tired love show bad office better office lot season unfortunately lower set two three funny smart opinion take place office starting believe running hope season five though faith ruthless office geek ring tone cell shirt reason share know say following love best season good great sure pam finally together fact light heartedness faded bit somewhere show course show thats longer would imagine keep dragging type forever get however awhile going back original material would great show could identify still much dinner party episode amazing good amount change season got overwhelming break break new boss personal list still average show still fun watch opinion plus side would great season watch get kind caught starting watch office glad season came keep coming office great show continue watch refuse purchase smaller season full price previous office season somewhat disappointing whereas previous merely one though enough watch value bit rushed suspect writer strike also writing quite sharp laugh loud funny fan office get course want pay full price used turned pretty well set absolutely scratches overall good shape issue broken piece allow holder pick vertically one said used got payed price spectacular got season four tax shipping handling great deal quality great except disk two fuzzy distorted menu screen office hilarious show season disappoint obviously funny season complain glad made purchase skip last two want know fourth season office writer strike every show shorter season set standard big dunder job ultimately goes office temp pam finally move forward relationship fall apart sticks old cat freezer pick leaving moping brown shuffle see aftermath season three four let hope management style change season five pivotal humor show reality tell many worked writing still pretty strong fourth season truly missing season four dynamic becomes apart relationship picture quality extremely good throughout set include commentary although none get plenty cut together order almost making alternate episode one good set even though shorter get four double really almost like go strange looking like poster game punk another branch also get writer block q gag reel rabies know parody full commercial summer season four limited time miniature version script episode party worth season bit end odd self awareness best show television today hope bit better commentary last season set although commentary fey morgan season one separate painful awkward silence also writer strike season opposed usual time effort put still day one comedy today honestly favorite show also seeing fey eat whole sandwich one take worth rock season two time really got stride season two much better season one probably start series two maybe half way series one go back early later unfortunately strike meant series fifteen long usual twenty two fifteen series excellent zany fun almost perfect comedy series almost writing excellent good fey really excellent role lemon head comedy writer however case first season secondary somewhat often tend distract could perfect page often way good series also alec character way top somewhat unrealistic comedy series season problem fey whole thing comedy kind way secondary way unrealistic gel completely however overall season lot promise fro future whole season compare office many per episode commentary one person commentary per episode much prefer back forth blooper reel office minute blooper rule part whole season see could much hassle put one may hilarious episode rock yet really really funny want right away right like yet another media player note enough already first time work yet though hour install still copy last week episode bought last night ever see week hard say still available come used media player love show senseless season wish lot less love rock one best currently running box set since thought somewhat expensive though considering writer strike two instead like first season figured per episode would bought anyway since love show received timely fashion perfect condition would definitely buy rock generally hilarious show really worth watching although occasional inconsistent show bit majority see witty clever surprising lot fun many laugh loud really well funny every one primary perfectly cast pleasure watch bottom line highly recommend series anyone enjoy quality comedy fey intelligent read thinking ball zany amongst madcap crew moral found life would instance handle seem believe allow hater care sort perversion practice behind closed long face jane self involved actress today course alec everything wrong edit instance handle unwanted recognize child innocence could pack people authority season rock perhaps even season biggest improvement move away fey fixed man week instead brief notably two exes season lawyer low brow dean winter show nice job giving less screen time less funny particular pete producer number funny plot season jenna jane gains weight role musical version mystic pizza apparently involved eating lot said pizza first desperate lose weight drastic however embracing weight popular show new want food jack alec much season sucking rip torn ge process naming successor plot also new rival jack willing anything get ahead marrying intellectually daughter keep rock season season also chock full guest best work particularly fisher desperate comedy writer show really found tone season negative note increasingly silly especially jordan morgan almost surrealistic rock never show grounded reality anyway overall season great success show outstanding comedy series outstanding lead actor alec lead actress fey comedy series fey also outstanding writing comedy series one best enjoy watching show good times family enjoying taking time working show much repetition sit watch three four time nice mix glad watch television show sit watch series despite driving college professor morality typical abound evil evil selfless government protect us savant skater living little episode creative yes usual gun chase mesh comic book forgery thought little delightful give away ending watch last frame last fun like comic art oh unexpected twist episode fun see emerge show one well mystery person kept season good entertainment little unbelievable times good wait watch next season thanks really season good story line great action hint episode anybody watch beginning animation horsepower foot torque banger get ratio power attainable heavily engine torque least got curb weight correct stock civic coupe though account car driver really error well like know anything sports episode scene car analysis place guy weld talking front grille honda civic different front grille put civic plastic weld clips ox oh ex gecko way differential overall found episode enjoyable bit differential hilarious since put custom differential civic least know script bit many make truly enjoyable episode also found character mechanical engineer enjoyable wish computer engineer character well applicable episode numb really enjoy disappointed end times however resolution little tidy like cast especially like peter like know people like happen really enjoy math statistics ingenuity hope future promising young study mathematics statistics genetics fun good entertaining show right amount humor drama always entire series get home sometimes turn wind work dinner rest evening use math series interesting spin show entertaining stop two bad consistently sending known heavily armed consistently yell arrest across street bad love series smart smart got action fluffy top nonsense season one best strong character development internal psychological drama addition excited free plus never got see first came good really exciting like main secondary get feel real people happy product quality shipping hand took along time almost arrival date show two gifted ways math genius brother brother team solve use math character development better season whiny attention numb odd distinction one survive night death slot time slot cause many good going prime numb grown somewhat cult following survive slot go numb really procedural drama character drama bit rob morrow agent fourth season pretty knowledgeable murder field younger brother math genius fictional school role beginning series pretty undefined fourth season found footing member team round cat mainly interaction series said numb specific genre sort undefined certainly one unique crime especially heavily math plot also one sibling lead role lot character interaction lot crime numb fourth season writer strike opposed normal season two three still big number strike season seventh season eleven strike still good set new show check first really fun seeing numb mature fun drama today great show intriguing well thought action great program intriguing approach murder initially got series use classroom found one lesson could use class however really enjoy show personal level unique original show season whole rate opinion considering series deserve star rating choose review think good show like content human would recommend series shark sometime middle bam came back ever end really glad give still interesting show getting little violent trough wonderful job like math want keep way watch skin nice time product gift numb fan really set came completely sealed new perfect gift thanks dual tony lead give look like caught hand jar hilarious intrigue intensity revelation technology yet like watching like good better wish could get reasonably priced one box especially since cannot currently find box many people family like series great gift aunt reasonable well little late joining following certainly regret single minute wonderful series look forward next release new season great love hate strong story hold attention stir imagination absolutely wonderful odd us bunch half season box full price thank pretty shameful great series one couple whole fine good value thanks series well written depth interesting particular interpersonal witty hilarious often consistent meaningful appropriate interpersonal interaction avoid much exhibit high degree personal accountability integrity resourcefulness good light exhibit entitlement unreasonable dependency authority without responsibility bad light regardless medium story obligation exhibit acceptable generally beneficial unacceptable generally problematic demonstrate proper grammar course entertain seem responsibility story craft story telling excellence always happy matter ordered season season company day actually within minute half came shipping season little ragged like box crushed fine though main thing two previous try write one like seller product great service people might like know going gush show obviously bought like show working set season first set shipped bad disk seller great job correcting problem cover good think shipping better cover would gotten beat badly shipped bubble wrap envelope begin simple statement love huge fan collect everything anything show geek said fifth season definitely something would recommend people new series series buy regardless notice even though care season still gave star rating new draw previous much character many covered heavy plot running new comedy would never want far often season five weighed long drawn director arms dealer plot effects seem poked maintain usual obvious many need change time really bad year still top five poor example grown love bottom line fan already bought thinking getting show never tried start one two fantastic really let get know crew rest us love rapport remains one best series little disappointing nevertheless sorry episode good bishop either tony lost show came new episode bishop back fumbling stumbling back stabbing times bishop theory could hit base ball target would trust character cover best thing done character head slap boot door instead like going put sitting desk middle floor like grand think would better men god sake bishop like empty chair may consider v ship new apparent producer care product perhaps time go bad thank god enjoy different well take care except couple works well pattern writing always fascinating ever since season series always used season finale essentially set next season finale finale season shot cover double agent status though would preferred kill end season able murder end season shot end season importantly chose murder able get revealed tragedy surrounding first wife daughter leaving end season retirement director jenny able initiate operation tony romance la daughter get season culmination attempt avenge father death killing though attempt bury dead especially final scene tone season though show usual action interplay bawdiness made show wonderful view also certain weight season regular viewer story frog moreover reason willing pursue without government sanction season season usual fun give season somewhat sad tone still usual high mark usual self though shown past genuine heart weatherly tony usual obnoxious self aftermath la affair leaves boy shaken used tony conscience comes form enjoying usual verbal sparring also tony may done cote de pablo hair widow peak becomes woman cote bending bad either episode featured season year de plume e wonderful usual fun especially dog mallard representative tone season becomes privy secret jenny season holly end jenny calmer season especially disappearance frog even lost found figure something jenny something would compromise agency something season revealed day two part season finale course table season high season ex file part past becomes part investigation plus get visit episode capped wonderfully sad sequence end internal body la meet rocky greatly character agency decade face jimmy palmer featured slight obsession footwear day long ago operation one also full circle well coming sad conclusion murder frog simply magnificent requiem grown best friend late daughter finally able put rest loss kelly note joe see much usually season whose character retired army losing wife daughter suspect holly appear living grounds novelist driving intelligence analyst leading many team humor muse mike season finale usual cowboy demeanor goodman performance requiem kelly best friend child episode impetus toward finally making peace losing kelly always fun show ability wrench heart unexpected season underlying tone sadness impending tragedy season unusual depth would recommend anyone watch good year enjoy interchange weatherly cote de pablo bad leaving see strike year still love series great price new fifth series drama suspense action sex appeal previous show improving age still man every woman would love take home naughty big brother nice guy next door well sexy machine men would die loyally quirky say least great show great way relax waste gift nephew really series watched collect bought sister received complaint far think show needs realistic interaction local fairly entertaining would buy entire season sister quickly great shape damages sure sister love great season something must transit first disc critical time critical disc simply later later disc disconcerting really miss anything tried cleaning disc little still leaves scene good could considered almost automatic star guy one review shipment review season superbly written writing acting losing well could personally thank crew entertainment surely would hard mess product brand new perfect condition however back order tell order two day shipping turned day shipping would fine told ordered great season las original best bought favorite character recently bought currently watching season show first came sure season good crime scene investigation eighth season cut short due strike guild previous also personal favorite key season ending cliff hanger brown shot car final final episode good luck also season series thought experiment episode kill brought humor element la cart episode phone call cameo season episode las would great comes hearing great pay paying really bittersweet season fan proposal marriage finally open relationship nice shown way leave show awful always felt unnecessary show spiral still season still good could seem lose thread quite bit felt like lost heart lot second half strike help turns also leave season departure wrap got cut ended dragging th season good season like losing umph new coming th season get back fire episode standard fare little question crime scene would get culprit last episode bit ready happy condition receive clean scratches watched surgery distraction seen season bonus crossover episode without trace would total eight final season show brown may say superb season well season complete eighth season five star opening episode dead doll two ever kill two half heartbreaking departure one favorite saying seen terrific crossover episode without trace scream last season one life may probably instead price around price like season pretty much amount previous give us without trace crossover full made gold love show unhappy decision make price previous well aware strike blame price content say short season saying part see since first part las favorite show enjoy like previous cannot go wrong gripping team knew outcome one still good different take island give season rated yes realize would yield pick first two go fan china made unique setting usual exciting original strategy pretty interesting best survivor history mind streaming prefer newly acquired survivor library first season gravedigger great root great talker biggest powerhouse play game bad move one play game pretty annoying smug biggest schemer win game anyone else season big twist game probably player ever play game game jean token jerk gee supper annoying time somehow leader tribe tribe great root gee tribe tribe hope total great exciting example cook really introduction really funny final three plus winner hilarious know anyone gossip girl book series excited show come little disappointed find wasnt exactly like come pretty close good turning really good show u havent seen yet u definitely check looking forward seeing story read gossip girl series show different cut character completely still working read already addicted think going get much better season overall think pretty good love show like comedy new addition brother funny opinion course show nation really interesting concept true wife much show really watching week well put together episode hope another season show fraiser everyone course saw show coming air watch caught first good good think chance may come together bit radio station frasier bit odd oddity seem bit forced guess see going give chance come together though baseball time chuck darling luck first station ever worked conflict lady found cute mindless piece fluff would probably watch time chuck darling guy even though conceited heart right place secret baby bit annoying viewer must fiction use tired plot device saw show first thought great hilarious well pilot disappoint grown movie really crazy twist end want call felt little unnecessary comedy go definitely season pass well may good series say roller coaster ride one reality series actually enjoy formula thing comes everyone psychotherapy occur week wow fun last couple get bit tired perhaps run low energy budget overall totally movie go sea search missing father missing gold hidden island movie fun watch movie rated except minute scene female lead waterfall acting anywhere near great want kill time watching movie good one watch product great value season shark gave way get caught watching times nothing else quality wondering one episode play rest fine sucker courtroom drama personally like season one better watch season instant video experience bad thought would pace show bit fast season one enough irritate shark season took pace another notch sometimes talking fast would rather little cut still watched every episode sure year watch shark season shark every legal fanatic season one evidence catch serial killer found guilty real evidence good show soon great cast wish ray disc available show first skeptical show however watching season show great cast neal would definitely recommend show quite funny forward realize much spade assistant show nonetheless still better currently various unbox getting work time acceptable video quality decent proprietary format desirable unbox month decided give expect lot engagement spade plus couple different yeah yeah found laughing lot spade used perfectly say much real revelation aka puddy primitive sure way make character appealing enough us understand witty wife price sticks around cute sure want something like magic sister made almost famous willing keep show see one best sadly discovered late however get benefit watching quick succession complaint bonus content aside fairly sparse today fact finish everything within couple days still worth price pick please note review fan met mother day one use phrase like starting slip little lightly fact season three quite measure previous two main problem see felt need create ongoing conflict core group sure conflict necessary keep interesting think ensemble show better external e g barney ted various opposite sex work related stress watching ted robin try one painful breakup last season well funny later season ted barney friendship otherwise plenty well written funny long running joke last season slap bet barney ted cut loose posing met everyone else us classic barney gimmick crazy hot scale ten sessions ted major love interest stella probably memorable since season one manic successful attempt two minute date probably high point season sand back robin ending shocking grateful wait another week see comes next guess fair say good good season three heart met mother tease television history yet identity mother year hope keep fresh awhile longer even though inherent illogic premise long ted sitting couch listening bob may soon start weighing heavily even like romantic comedy type romance lots comedy highly recommend age except bought funny show witty dialogue wait find season met mother season little slow really quick season upper echelon comedy right high level excellence without faltering like popular office enjoy usually get one good belly laugh sometimes little silly overall good entertainment someone prime free series genuinely got hooked thought going would hate great show great absolutely love show little season still must library third season great also include cool thing really like music awe wait met mother search mother season try hard lily got married end season start looking apartment live think future find right job finally exposed mountain lily debt saddled ted josh robin longer dating tense season barney awesome develop robin season season guest starting would dance dance robin vacation van beek robin ex never got stella ted new major love interest season receptionist love ted barney ted occasionally horrible person season behavior often lofty morality past bonus series retrospective great sum first two bob older ted lily honeymoon pretty cute home video authentic wonder originally supposed incorporated made great extra cast cast member favorite episode behind like last two kind show process getting read rehearsal run rolling episode additional really extended got music video behind piano serious feature sand music video awesome let go mall gag reel disappoint random session lily barney actual lily fight previous episode music ted jerk audio track bracket episode barney ted sleep girl made weird slow song mad ted show dialogue appear black commentary platinum rule ten sessions bracket chain screaming sand everything must go split individual also josh ten sessions though could done without stunt casting met mother season disappoint plus since came back post strike lot series bang buck series one watch whenever need little pick highly recommend product disappointed paying buy elsewhere watched one episode terrific really good group thats put together show right post review time latecomer fandom coming season exciting finished first time think show well overall episode providing laugh loud husband anything else recent memory reappearance robin follow question mark ted th birthday goat bathroom story course oft minute date sequence season great disappointment feeling like audience got know stella enough fall love way ted friend watched entire first season day two trip would stop good show right third season available streaming thought might want know know going bad episode like good episode show amaze never turn good medicine laughter stress relief show wrinkle cream blood face circulation aging process also cranky people age faster scientific medically sound theory laugh exchange general skin dewiness added value less total watch show old people say everybody wow ted sleep lot hope covered latex um many show oddly charming funny real shame make high school senior time strongly crime cop think looking quality looking back season really fall apart thus hard time rating season air writing got tad bit lazy around season also cast unbelievably big least could done replace one beach way first likable character ended character never really caught cast sure hard time trying squeeze everyone best writing might minor someone paying attention robin recording studio miss detonator matter properly pat find real detonator would enter apartment team decide call backup going run recording studio expect high school senior watching swallow poor writing year old major law order buff fair season totally bad better suggest fact admit worth watching consider better overcrowded cast quality nearly half toll put somewhere three four see affordable price get another reason hard season rate neal last season guest season episode becoming recurring character season probably favorite law order let alone also running da really excited get law order last anxious catch nice see especially since commercial cliff complaint fact absolutely box set maybe spoiled whenever bought season glee house making behind would really nice l vein otherwise really nice wow really good episode intense hard watch though basement scene fantastic end scene much better end due scene get man episode trade overall suspenseful well written collins made wonderful father son team ending however hate unhappy use demonstrate introduction psychology course seem gain better understanding theory real world application episode really good lot turns like still interesting yet suspenseful definitely recommend episode find series dark theme general address legality morality heavy finish watching delay review law order one watch say anything bad show love partner blinded turn grateful happy still alive paternity still bring watch goes undercover still great episode would given five awesome thought good drama good acting definitely entertaining entertaining special show attractive lots action good sorry enough action type available terminator judgment day great job colonel sort like mission impossible realistic highly combat later serving swat team confidently say series true reference technical tactical wife far mark concerning war home either ex military wife tell season quite good first two still good plenty action team plenty action getting old story stile keep watching watch every instead every chance get like season clean new time scratches say show good find engaging good always win military talk fun get like soap opera better later season would still recommend typically cast leading positive unusual outstanding piece work applaud producer enjoy performance like know family survive long especially love show best action show ever seen said going blame strike season fan two first part episode awesome following well follow get sort bizarre track unit little less enthusiastic less team thinking season one think anything imagine starting feel bitter actually went strike still love show continue watch wait season one brother favorite regular season husband picked prime absolutely love fourth season little different review believer seeing delta force facing understand pray better intelligence good writing amazing casting every character pitch perfect although sometimes want take one powder room little pep talk still believable series interesting great acting wish would almost done great drama story army life easy get addicted one best military series watched husband enjoying series like many yet attention us guessing times fact somewhat say watch good show right type show bad still action series become base writer social agenda may right several feature social exclusion action understand series four social agenda season season cool better first kind still worth getting though better season feel like season good suspense though feel like season good suspense though first looking forward season action drama people shooting wonderful present day military delta force type action series male high caliber realistic female irritating weekly ridiculous distraction recommend fast forward weekly stay unit mission truly enjoy series female series ridiculously distract mission focus enjoyable aspect otherwise star series cool show believe rating goes season better like action intense training well common sense good show sometimes believable action general entertaining flag waving little must make field away action cannot understand really enjoy military type young lots adult content would recommend go military pretty good combination action drama good show entertaining good n worth watch check regret one people constantly yelling due ridiculously unreal military tactics unit welcome relief wife nice sit watch show military part realistic representation full auto spray pray unit well accurate weaponry usage fairly believable colonel career woman well think people stupid like real life lived long enough see also taking armed men knife taken men unarmed come none worse wear lowly bar bouncer truly believe fully trained special operator unit season one star following new theme song old one much appropriate even army show season short writer strike man new theme song really mention already sorry fan military better unit sorry came end fairly realistic good balance action home life nice see use great show good acting lots camp like entire series really fun watch pretty good story awesome action check sure season one real life good special feature action edge seat enough drama much good well done season due strike year well worth lot intense going season five one continuation previous season team go cover separate ways could get unit prove authorized running throughout season always one dealt col wife intercepting team proof reunite team turn table felt elite class show unit whether privately hired elite class give five like sleeping around going main story seem necessary finding season store store per season got much well great theme song something like teenage show acting went hill however finally showing little bit blood make semi realistic good took get story unit gun fight bit weird show lot going series unit well known really like coming stall first series unit lot action always betterment country well put together series giving future series star rating continuation first second series still handling however firm thread throughout series personal side want continue watching recommend love show lost focus season still fantastic show quick service delivery certain date w disappointed great price slight overall good want miss anything overall pretty good watching unit season three really team wished well men series deal bravely ongoing family daily life salary enlisted army along uncertainty knowing violent global season away base housing take new intelligence terrorist based men past resulting got know great action also good suspense surprisingly patriotism displayed special overdone offensive plausible season took difficult like guilt many see hidden conflict interest many acting pretty good season finale anticlimactic little disappointing condition great enjoyable watch work mornings plot rather unbelievable pretty typical entertainment great season one got mission want say want ruin anyone really series bad good get need like one enjoy watching one show like make wait watch location season upset one main bit bound happen eventually never watched enjoying much like watch series start finish need wait unit mostly go much alike except really good never knew going happen good combination action intrigue humor human family drama would recommend one good luck watching great group good subject matter action filled every episode slightly random times good series overall enjoy unit cannot say acting wonderful story uniformly excellent always enough keep attention fairness acting writing uniform good course suspension disbelief good idea team always comes alive one exception odds seem impossible cunning ability cope unforeseen military prowess always get home safely hey wrong little suspension disbelief want escape time entertaining well done good pace lots cast watch point watch season next like show lots action need like bring back excitement would nice huge fan series definitely one best watched first time less back back summer perspective season measure first two first two five star quality due undoubtedly part writer strike third season season one two really poor part revealed last couple chemistry team whole previous think addition fun negative sounding title still recommend season give four five season least favorite far one favorite slush take trade booth still play fantastically entertaining way grow closer throughout season definite audience without doubt one favorite currently writing fantastically witty top notch said ever slightly disappointed set fifteen total first four fifth first three four depending count two part episode one two actual noted believe shorter season nothing actually missing hope enjoy watched almost every single episode every single minute show highly recommend anyone enough time watch decided buy box sadly shipped box set paper envelope instead usual box box bent hope inside work much long work gift first time disappointed decided use hope last time paper package box star show star shipping feel like turncoat giving set four since generally find series top drawer simple first filled four added season second transitional season one favorite written series improbable conclusion episode lance cast guest character season entirely keen two main story season return temperance family especially father neal narrative two book booth search husband pretty good help introduce make jack romance interesting constant everywhere first two season take place seem breath fresh air series promise good also miss early tension season stable character one best v watched long time highly recommend v recently watched decided would review season want preface three first want give spoiler alert shy away giving away season read already watched sometimes give away later well careful watched way season second despite tone really enjoy show watch much television watched would watched find enjoyable said going mostly afraid one human take air public forum think really important really mostly despite fact really like show find easier talk like rather like third really written people new show watched fact probably written anyone anyone else get enjoyment would upset actually curious know whether people share feel like posting comment review please feel free review actually begin something really season story arc essentially formula show episode murder start way unsuspecting person happening across dead body show three four finally settling one show usually season long mystery solve enjoy show season long mystery like dexter end season actually wish really focus season correctly always individual solve episode nice mystery hovering background throughout season however entirely satisfied mystery resolved spoiler alert effect notion accomplice actually thought good idea like surprise like show audience know main anything happen one way character everyone become familiar perhaps even grown love turn accomplice murdering cannibal problem rarely courage trust audience going main character turn accomplice cannibal would better go dark possible always tend pull back last minute first pull back blow order protect one saying kill one main clearly set order evilness lack better term think going go need go way otherwise really make anyone happy upset people like see main upset people enjoy kind thing courage go way cannot something like half way would opinion great find character watching three genuinely evil rather simply misguided logic could potentially raised continuity think could dealt simply saying true identity second complaint resolution one recurring show debate logic science emotion faith debate head heart prefer show never really opinion dealing theme deep way admittedly think much expect television show part problem opinion caricature position little subtlety logic camp logic emotion camp booth emotion solution fell let logic supposed represent pure logic interesting idea although personally think world suffer little logic much executed correctly needs subtle logical nothing logical decision fall reconstruct syllogism behind decision strong logical argument certainly argument would convince anyone even average intelligence let alone someone supposed intelligence notion would choose murder people based poor logical argument highly implausible clearly attempt partially absolve removing actual evil intent season also discovered responsible stabbing last victim death next season another spoiler show back revealing really stab anyone murder revealed victim lived apparently incapable felt responsible man death show step making killer one main everything possibly pull back decision opinion either go either make main character killer case go whole nine make evil well find another killer recurring pattern see television apparently trust audience go along think people upset maybe right imagine done research subject still speaking personal perspective would like see show go way sometime pull back last minute one complaint third season launch think say something positive season sure lance show third season think excellent addition cast think part reason like big fan although took least season actor since also enjoy character booth right season definite plus season book last thing want mention complain rather episode booth shot succeeding episode really big spoiler since obviously show goes booth remains central character knew booth could really episode shot without knowing sure lived next episode surprise funeral save reader show way mess course booth really dead let say pretty ridiculous solution made sense leave viewer suspense first five episode booth shot could found better way realize stretch realism certain degree willing suspend disbelief point solution case totally implausible sense opinion sending world like people actually interested great show make show happen chemistry together want see one problem set disc play know disc play fine problem disc numerous times play love set show gross funny splash romance good drama show enough category like everything great condition play great wait bowl popcorn booth perfecting partnership great character plot development quite exceptional excellent theme development item overall good condition would say area want give warning show yes strength relationship two main basically saved show dashing outrageous plot please push theme hoary hairy completely knock major character dubious best show yet psychiatrist good add broke knew would episode go carefully next season please fast receival within week purchase condition overall get wrong family favorite house new therapist quite work momentum strike year show going sound like going get full season show house like favorite like want set want whole season happen guess since digital locker avoid vaguely interesting really never fully cast gone give personal life something give depth never season took anthropologist boss annoying lady boss like neither booth primarily matter secondary story keep goofy psychiatrist addition least funny big fan written number well season kind change wind series previous would call pristine dealing series beginning add new one new boss well added lance annoying fellow supposed psychologist unfortunately neither great actor idea psychologist supposed sudden expert experience around constantly even break partnership later really becomes annoying flashing frog like around ending going equally annoying daisy guess supposed comedy relief think funny plenty good entertainment series really good mummy maze slush baby bough pain heart good well kiss booth episode watch extended kiss special intrusion plenty recommend season well enjoy opinion though season due strike entertaining previous recap episode season individual episode must admit looking forward next season see happen progression relationship also eager bone sand booth admit true finally get together hope show smart enough give want sooner later episode widow son windshield original air date reluctantly replacement skull highway overpass vehicle evidence victim eaten cannibal episode soccer van original air date soccer car leading team discover murder suspect episode death saddle original air date body equine booth world fetishism undergo hypnosis get name husband episode secret soil original air date body organic farming magnate episode mummy maze original air date discovery two booth fun house maze church charity may lead missing girl whose believe dead episode intern incinerator original air date one found incinerator institute work serial killer episode boy time capsule original air date year old body found time capsule focus turns towards victim fellow high school episode knight grid original air date killer next play little close home face parole violation stepdaughter ill episode slush original air date booth investigate death give father always booth comes spending holiday parker episode man mud original air date booth investigate death racer another seeming accident track attention turns team reporter meanwhile social outing episode player pressure original air date body star athlete found behind atlantic state university gymnasium episode baby bough original air date miraculously surviving suspicious car accident mother baby left booth care infant investigating crime episode verdict story original air date may father goes trial murder deputy director everyone team testify prosecution advisor defense desperately prove father innocence however heart father guilty verdict episode original air date may booth investigate murder aspiring singer booth obsession turns violent booth bullet meant episode pain heart original air date may heartbreak squint squad deal aftermath shooting finally apprentice revealed episode provided slight reviewer received package quickly case little plastic safely place broken first two despite sliding freely possibly scratches still good condition still enjoying series top favorite continue find clever new ways people die solve enjoyable still strong series personal excellent good main problem youth cast even excessive cast story slightly unplausible however character angel socially inadequate even somewhat young totally credible minor distract enjoying show love show disappointed strike due writer strike episode season make enough money wish made money make thanks factory worked odd moving south back show feel chemistry booth constant fantastic watched last guess thus disappointment see buy season much going rip us enough said love show great plot though sometimes entertaining highly recommend anyone fan crime sweet likable behind story line little weak times great season certainly tell strike going time great series well interesting watched season good first two even shorter one due one main watch show tension two lead show c really personal would great see booth cam aswell bad episode season either understand low people gave well made entertaining show need start season enjoy season great crime procedural show great fine acting one another great season bit choppy reason couple mixed beginning engaged middle season couple trying ask marry bit episode running around rather disgusting best part episode last five two main days work great disk four would operate anyone know return one issue last episode season finale season two afraid buy thinking get last set work lots season think best relation principal one favorite whether relate social awkwardness another story interesting well written usually completely perfect show make marathon weekend season three familiar series go check first season kind temperance forensic anthropologist works special agent booth brought skeletal remains people would miss team normally works best handling job temperance j jack lance booth definitely main show chemistry set everything works well poking fun admiring relationship real evaluate help much least opinion give viewer chance see personal really big part particular season though least end episode kind fade away background think family lot really enjoy watching rest group bit disappointment overall plot one one watched somewhat order tie main story arc couple like relationship family bad guy cannibal lot interesting since dealing short season due writer strike everything rushed tie especially disappointed way took character completely fit personality implausible veer part plot far obviously casualty strike obviously graphic nature police series people squeamish overt sex nudity although personal opinion scene booth tub worth least star series enjoy special effects everything realistic even machine know real plausible although used whole lot season music always pretty great series seem use little one first season still regular good kind stuff fit show say favorite still better lot still definitely like main enough keep watching review watch usually las fiance got hooked find like even better lot humor well crime scene stuff really dry comparison season included seem available realize something may control series two would play still got drift story line quality production first time love think gotten steadily better beginning think addition added great new dynamic cast even though strike season still great season television last episode kind struck bit thing kept giving set full previous great several multiple season one special collection first disc offer bounty realize several long outside special original version student pressure since originally supposed air season couple random extended oh first four season well one measly commentary know people care big letdown commentary like get wrong highly recommend one bit sudden downgrade great price enjoying third season happy looking rest really season bought last year disappoint series best priced version could find anywhere perfect condition price great series turned favorite actually entire season always show would buy program cant wait see third season even compelling first although shorter season due writer strike fox include four fourth season may set compensation fourth number marvelous story arc cannibal serial killer dominated season two excellent expanded set unaired version player pressure holiday episode slush extended kiss scene latter big deal former player pressure already exceptional episode also get gag reel fun director take gotten around watching yet tend watch watched prevent quite generous previous least fox idea e commentary although like lot never listen dependent engaging people involved season four get nice way fill set keep anticipation next set come time next year excellent season unfortunately cut short writer strike retail price bit high look snag included although quite measure set happy add season private perhaps strike energy creative story come anticipate still flare generating interest even beg times shade less novelty believability perhaps separates season still give four season collection offset sense paying full price season believe everything accurate really care like science chemistry anatomy biology lot learn like bad high school college right probably would hurt watching like assuming ignore social show pay attention technical stuff one head assist one work crazy detective r visual bonus really fun watch case unfold dreadfully formulaic type cop breath fresh air show personality funny unique acting wonderfully entirely watchable entertaining show network bring back one ended soon show little early ride vampire wave came right cool cheesy times low budget show look buffy buffy make show stand watching buffy really sweet premise relationship main really well done show said cheesy first year really get groove yet way last episode sweet want see bought revisit every often mourn passing great potential excellent series cut short moonlight laid back vampire pi mind legend real hunt need dealt quirky reversal rice tradition tone unique blend vampire tale urban mystery sadly ended soon especially since absolutely inspired vampire detective quick direction good snappy writing save another cheesy vampire story mick st vampire detective l recently murder college student though student mick soon one assistance beth turner sophia familiar mick weird little vampire cabal hearst college professor whose infatuation goes beyond mere fanaticism plenty nasty ex con gunning vampire detective forced stay desert black crystal feral vampire hooker killing teenage vampire supposedly dead cult killer killer gang going beth starlet attempt kill mick mentor vampire every single vampire l vampire story complete without nasty romantic tension beth mick true nature drawn hit terrible personal tragedy mick woman suspiciously like dead ex wife woman made vampire vampire whether abysmally cheesy could slice serve wine crackers fortunately moonlight quite bit better lot vampiric beyond enhanced healing glowing even poke fun old garlic good pizza part moonlight fairly ordinary murder series succeed balancing vampire stuff private eye series becomes far complex vampiric element becomes essential every story quick fast moving nice nasty action done tongue cheek whether un cliche living sleek easy use modern technology become vampire would world warcraft slightly offbeat style dialogue fly like superman really would pretty cool record best well blood lust pretty heavy first turned could really lose know damn good times excellent vampire pi past vampiric nature get happily ever handling wry sense humor brains enhanced even goes fictional temporarily becoming sort human fortunately becoming pretty decent pretty reporter wonder human vampire find love brilliant mysterious absolutely show witty happily amoral delicious good year nevertheless sad past moonlight avoid factor brief series unique blend vampire love story murder mystery definitely worth seeing entertaining series ahead vampire craze bad strike put end mick fascinating watch think accent came much easier star sophia saw recently doctor episode much relaxed accent watched show merely cause pleasantly assumed going another vampire vigilante show episode found anxious see people new twist bit annoying definitely worth seeing show time though cheesy times well good deal time still great chose rating back story two main also bit time travel spin flash mick life pi episode new love interest someone long ago always lady need saving overall found entertaining would recommend friend like pi crime bit different twist vampire good guy beth journalist always digging investigation main reason watching moonlight found liking cast music show nice twist heart end road love triangle vamp news lady ex wife interesting thank goodness moonlight many first television like show watching episode start waiting next one become available many say come back revise original post several ago favorable enthusiastic show thoroughly fantastic show turned buffy angel forever knight fan admit went thinking rip rest pilot best thing world going write completely tuned episode primarily written angel fame soon last scene came screen hook line sinker better every week sorry many fellow buffy angel see great addition seriously vampire genre something think much musical score want give quick shout spot mood scene help round amazing episode also really happy unbox quality video stellar far show better really enjoying problem new show really like typically mid season good might last cool wow carlin look young little bit slow times comedy still like come save day bad apple let sell copy old control universe guess fi fan brainer series still entertaining highly recommend fi fan great action commentary plot line good funny every nicely good times another good installment good writing done well good addition home collection love show happy great ending would love see another movie series season new much better quality experience glad find good exciting still would rather seen season sure plot turns used even doctor still enjoyable fun think needs story good hope make new season initially received set would play good set new set timely manner however like st set would play sound picture investigation would play equipment last think ended also version player computer done excellent love ending season leave season hope wrong love series still watch get wrong series course character development world story kept guessing wanting see believable puppet looking star track fan refreshing show watch even change staff still watching surprisingly season better season par season decent enjoyable even mostly annoying season tolerable col jack behavior becoming standard yet spineless character faced quiet weak willed barely standing unlike decisive attitude around men col carter taking place weir capable strong leader times one speak right course action rodney barely remains arrogant smug however carter sometimes shut well comment quite satisfying although victim sometimes pathetic plot twist faintly better season sometimes offering wisdom need opinion best character show occasion person common sense also exactly like adrift pick left season city floating space losing power whole episode spent problem upon problem asteroid belt city well badly power loss shield protection goes unsatisfactory manner help think better solution could found main crippling problem episode lifeline even bad ending adrift episode nicely daring mission brave help wounded weir rodney course something else could try going original mission go bad worse fail thankfully everything went well city actually surviving somewhat unscathed good ending bad problem reunion upon three home planet whether leave stay actually slightly somewhat boorish rough around influence far much times unpredictable secret almost dooms mostly enjoyable although strange fight crystalline object alien planet soon everyone idea behind episode interesting throughout laughing unintentionally becomes dark comedy instead horrific engrossing something villain every nightmare actually quite amusing strange ship escape dealing ship beautiful commander episode might actually outdo season grace pressure annoying commander anything military even though tattered ship hair long flowing tight black leather like fashion model attitude predictably smug get becomes pugnacious petulant one point foot like twelve year old useless tabula rasa amazingly good intriguing episode rodney tied desk almost total memory loss strange recording explanation memory loss logical understandable exciting mysterious nice enlightening create episode heartily missing traveling spend day new settlement find people missing encounter infamous bola kai wandering planet must hide fear capture death episode last mettle whimpering moaning time inner courage dangerous enemy problem episode though season saw mention another planet idea got seer still searching well known seer leader group people another planet much future although seer much predict quite bit trouble meanwhile team inextricably linked wraith order fight amount involved small amount made episode good miller crossing rodney sister searching rodney trap episode rodney chance argue sulk quite good season miller premise sound rodney even make foolish plus call rodney real name entire episode even though already told goes name rodney like rather worthless mortal coil strange drone unknown source city slowly begin realize something unusual going beginning episode game wrong picture truth finally known shocking team well team must work avert disaster provide help need help unlikely people remember since team settle commander traveler warship appearance comes virtually groveling help instead candidly tie chair apparently running gag nice col commander finally give rodney piece mind go fight end though new shocking enemy revealed us audience although team nothing war team led signal subspace device top secret wraith outpost find many finally chance help much courage ever rodney explore facility wraith queen hiss spit usual top manner although episode still somewhat decent quarantine city mistakenly many main find trapped together giving chance learn find graduated college age assorted little rodney course featured prominently episode almost extremely good part episode finally chance something beneficial entire city otherwise usual mediocre best harmony rodney agree shepherd young princess rite passage reverse star trek next generation dauphin girl earth name harmony crush acting somewhat like lord cry arms smirking rodney instead classic spoiled brat child whether rodney survive mission explaining queen throughout episode could see major coming easily light faintly comedic episode worth seeing outcast father comes home earth funeral much trouble polished brother fancy suit perfectly hair ex wife even style outfit works implausibly department homeland security strangely complete loss every time either otherwise main well unexpected appearance former supporting character season decent least course story see coming true almost trio carter rodney trapped former genii mine thankfully rodney get show much annoying episode although idea escape carter also separate trying get destroy mine standard problem solve fail miserably episode entertaining interaction three three prove way brave midway carter teal c could teach much however times grow tough teal c must work together save earth far best episode season marvelous crossover terrifying great regrettably short fight scene teal c chuck gate technician taking win even two work well together however rodney find equal trouble love episode teal c also interesting plausible problem every episode wonderful writing one kindred part slightly sharp decline midway father child must search certain village sudden plague sweeping galaxy almost everything episode disaster searching people team find familiar annoying villain behind plague jolly wraith slight help return end information good last moment episode surprising return much beloved character kindred part people try find help newly returned character whose identity reveal person quite health lessen ability help people end information remains prisoner even though villain two part episode usual mad scientist episode far terrible end tragic returned character leave bad last man comes gate sent future naturally rodney went missing came help way possible episode taken taking place many go wrong predictably trying take galaxy find way future older rodney carter rodney episode good star trek voyager series finale unfortunately ending rushed science fiction season well written see around city situation great fi best wish wrath would go away permanently need new per usual enjoy series real big continuity though character weir removed role leadership easy walking revolving door albeit attempt make change appear plausible made effort seem unbalanced respect rest stellar cast overall one series watch repeatedly beginning untimely end although actual set time write th season finished airing ago since page order itching write review well season season awesome start lost adrift space running power conserve energy shrink shield small section city asteroid belt get power actually raid weir entertaining beginning majority episode disease everyone lose tabula rasa one teal c comes visit midway fall short potential giving plain boring example end season first time ever disappointed leaving anxiously curious see get situation waiting next season team searching building self know survive better way end season would leave future revealing galaxy time trying figure way get back home original plan failing work like one hell season well saying potential awesome season live potential comes close unfortunately like willing go way episode matter figure direction show headed assume show going direction least time around gave attention wraith whole story arc people search expanded interest character season review also stated favorite character even starting get tired seeing much every episode weir officially lost season came back fortunately old least clone came back end season episode carter commander like weir season utilize character enough us season ahead read various season us confirmed carter tapping back commander due fact staring show sanctuary come back guest woolsey completely mixed character command unless pair something alone uncertain season well future show guest star well new entirely new race get wrong still really like going get season must say first time uncertain next season take shape even good let hope season prove wrong season set usual however first season reel update well season came today got watching right physical wise video sound still great like well different still cool looking easy navigate go lot get looking hope latest anyone wow pretty intense season opener poop hit fan team never get coffee break stressful average day grand tradition well even season opener show much fun course simply quite give would good see dead yet television people slim pickings days series good one probably star trek television series love think well sometimes though believe get little broad thinking happen would believe possible especially far advanced technology even still like series wait season fun first series play catch got year huge fan show however bit disappointed season felt could used little bit despite still good wait season come seen far great good middle still fun place visit point lot spin strong falter done better first time entertaining season addition tapping sam carter lead expedition surprising depth joe performance leaner meaner far less leader distinctive sometimes funny often predictable episode work genuine season many past action season past less filler main story take long progress good prior think end season kill key replace new season jewel added doctor great love monster week format starting wear thin understand went still great series amazing production value though best series nice see different role would see best series son recent purchase price right shipping time short good still cool last season lame id watch get agree weak unless going hole new direction cast emerge building worst since show series season whole great weir gone thank goodness become sickening baby fit series hope way saw season like want simmer favorite love least could kept harmony absolutely friend provided best course great finally human pretty great human hear cut imagine really needs love interest least people planet besides wrath predictable boring fact need love interest regular love much ten loser either one great beginning hope open great season otherwise could last season like well worth price watch without commercial really particular season largely bit fan carter credibility military commander board combined fact also top rate scientist presence lent lot credence aside though season adventurous many put different seen rest series part colonel carter charge make series needs toughen run ship like series season disappoint full action plot usual bad disappointment final episode unlike series finish action climatic point one lot subdued urgency save impending death climatic battle would interested hear people think good season without collection original miss first come love weir little repetitive another foe fear battle hopefully defeat like stuff though thank goodness good space opera series still made really try put quality show series may exciting season overall still show well worth watching think mistake head character show removing becket character previous series best move opinion still remove major carter character good job bases new leader let work though mainly base still show though due overall quality fine acting worth watching even non enjoy good fi well made entire television series year ago since five twice visual effects good story good problem writing someone thing men especially male leadership many series male leadership saying total brought home every time male character would say something contrary character story line would female spit rebuke statement action surfacing throughout series pronounced closer get series end found series toned almost immediately series good deal female leadership intelligence opposed male leadership intelligence opinion cheap male leadership series would one truly great si fi series history male leadership aside found part enjoyable worth price like space si fi solid leadership try star trek deep space nine series good st century entertainment go series biggest fan carter though love character get five otherwise story line one best avenue continue story line exciting adventure good show like end episode one best season see show going much longer already writing another neal sam carter shepherd one tried always struggling everything say show us top following show around miss want show ruin already almost new leader last two touch fan base anyway still watch show continue love make new world director put reality though think season quite par still thought good though yet mourn removal title cast addition tapping done surprising ease always character carter something treat even short time several count among come season trio last man among enjoy progressive character development continued season though quite much seen previously question science fiction grand scale brought right home well written plot believable based pretty good science stride season one better fun go tapping carter cast year leader expedition though never felt found comfortable role else well carter fully comfortable role leader though never plot point bad strong character maybe little repartee would fun interesting may also writing kept shining role leader never capture character let character develop role weakness season instead see one fulfill quest become queen amusing story end scene castle make laugh quite good original lead whole good sequel starting hard time coming fresh program family series anyway currently engaged pretty exhaustive project one see watching every major fi series made past unfortunately bad point project already seen almost reason believe better average left dregs hardly dreg show watched first three coming series particular increasingly reliance poor character development e lack character development also concerned show elimination show one interesting show also head project weir three depart show despite addition jewel firefly suddenly found uninterested watching show longer delighted learn season four decline quality actually interesting season first four show part reason replacement tapping role carter sadly available ending show never never felt brought much character also bore disconcerting similarity ex mind personally found oddly main found enjoying season four previous significant abandonment format interesting inclusion wraith recurring character fact apart third episode season first season tied main overall arc final third season number creep back mix overall result dramatic improvement quality show narrative variety wraith first two season three came one best entire series wraith later name keep gradually life two prison course final two would provide interesting character often making odd colleague advancing one alternative future even die heroic death together teaming kill common enemy always love defy surface buffy completely evil incredibly good angel later utterly evil spike gradually transforming even gains soul increasingly decent character almost always presence episode good episode also season four increase quality special effects terribly conversant know time special effects heavy dramatically led assuming may one package level imagine small handful f x get latest upgrade time small market could tell way used much custom dramatic difference way used one show another still although certainly clear crisp panoramic fairly distance interest get complex season four instance might get super close large hunk fleet background whole shot centered ideal observer point view would see spaceship close visual field uncluttered cosmic dust anything else impair perfect clarity picture often vast cosmic dust complex diffusion light nearby nebula feature photo realistic uncluttered clarity different set complex version record much prefer believe highest achievement far really season four getting around watching season five come later month stream individual know compare season four definitely prefer season four first three definitely regret stopped watching watching many little confidence good recently grit way fairly soon need force watch concerning still anything make optimistic good season gave pleasant surprise really like whole series season change leave anyone seen episode story tell keeping line season think five season way short could went ten like opinion season couple exciting cast change addition tapping sam series fresh start lots adventure series great spin although annoying like sam cheque otherwise good toward end th season speed stream several times stopping completely got bad ended watching rest series never watched watching see five camaraderie four good interesting story season monster week show also gate jumper show like good part run rodney getting used almost becomes endearing course time highly great series really watching screen chemistry joe classic good probably best watch season way husband watch back taken could finish great show watch scary would recommend anyone watch good story line great good st good would definitely recommend especially series love earl lee except one fill missing least four like one really long episode earl jail coma dancing thinking real depth like past still funny must gave four best season four ending boom addicted earl need season name earl lot people tend agree series wane quality strong second season featured comedic television would also say third season quite hilarious season two even season ably next paragraph skip past rather see earl happy place following big sacrifice joy taking place prison cell joy naturally two already continue list despite lots turns randy becoming security guard see earl earl giving karma earl dying even earl getting wife despite fair bit tone last couple still slapstick crude humor heart come expect series even meaning earl cope fact making past completely absolve everything let face pretty heinous standout include charge days duffel weak episode appeal cheap attempt copy exact format season much lesser effect season somewhat let first two audio limited gag reel couple benign thankfully count two one episode original music intact looking another fantastic season disappointed season occasionally dark surprisingly poignant always hilarious course yet get watching note ridiculously expensive shocker get pack target half cost single season name earl season much different first two season two left earl fall joy crime prison better half season place inside prison opinion slows series bit say show heavily list earl prison show take step different direction necessarily bad thing though earl freedom back karma reward good done list earl acting like old self quickly karma car coma season still great get wrong feel tad bit first show market worth taking look found good comedy keep definitely become adventurous refrain spoiling anything season wondering whether necessary watch previous would say would help learning development also enjoying refreshing humor overdone humor vulgar also must watch comedy happier watched series reason must watch comedy entirely linked together mostly tie together want complete episode way since entertaining linked together dying watch next episode definitely give chance get great along way importantly fill need comedy excellent show funny target season sale weekend season hence reason come could gone lower target time time dont watch television mean really dont busy man st new show come across like love mean name modern one need know season three great season formula earl goes prison coma randy care earl earl becomes old self earl love show new building nice something enjoyable rare want change normal cut standard show buy watch steal fell love show saw wall anything else wife really vivid entertaining real everything time good condition guess seen product yet know yet figured people review yet well maybe know something yet figured give try see could learn trick far sure right er like series although tough follow year strike flood living room lamp broke guess care anyway want know experience watching set watching especially house product yet exist guess really write like watching house snoring silly cat advice get cat let fall asleep ignore written product written possibly list bit useful anyone probably one disk play couple due scratches price still happy purchase although season three seem much gut humor previous two still good season three earl comma imaginary life coma revolve around guess break away basic show earl trying scratch list interesting think quite effective one favorite season sort like weekend around several coma mean time still living dick van dyke type mind without clue happening think one creative season know many earl able stay funny enough hold interest hope yet gift wrap arrive wrapped know fault seller overall great product great transaction timely delivery thank would still suggest family family guy one hilarious television although get annoying show however great fox recently done away television slim storybook like e bay could get set set one made outside nice slip cover see griffin family small plastic window backside get usual description telling number take slip cover see full picture griffin family many family guy universe backside picture together inside case three separate share theme griffin backside separate casing get episode volume six set five season five season six episode blue harvest included due fact time set come commentary optional version audio track default track unrated new set get completely different thin regular case special slip cover cover back description inside get three top get episode final care type casing go ahead order go store would prefer set check e bay volume actually think best entire series season six included volume seven set give set get cheap thin plastic case match previous box shipping fast price great buy disappointingly could give box set separate everything shown received one case three satisfied know family guy like season buy find family guy funny buy past utterly useless decision volume maybe leave actual review quality product maybe write seth product review people left set somewhat valid gripe thing family guy series sold opposed like primarily done short length first two volume problem made one number behind volume season volume season decided put certain number set regardless season family guy volume season according season list except final five volume set five goes season six season missing suspect may bring volume season less confusion know sure fairly confident missing set volume hope people necessarily trust people put believe seth rest people behind show would allow lose especially reason show came back new fact always love family guy watching vol funny yet bit let one season per volume like special almost whole far much also bit annoying blue harvest included fox squeeze us money would recommend vol fan complete fifth season th st way show going doubt buy vol family guy episode either love hate one love family guy episode however wish would put one episode broke two well agree good said release one thing like mention one best hacked like four day speed bender really watched buy enjoy every minute every episode review question wondering case thick case open new compact small case show awesome glad date far unlike one problem please put whole season collection doesnt look right see season buy part special next road road island pertaining going see real dad personal far date box set wait till pick local used new movie store get away poor picture got believe tape fox thats best route go u want save though u want better sound picture quality get box set seth keep hilarious sure guarantee ha ha p cool new refreshing new box set pic one season great part episode funny nod end always great show shock value usually laughter think better continuity new stuff good fresh say family guy show laugh poor taste humor juvenile bad taste maybe laugh love think smartly written show clever humor everybody never miss much afford really enjoying watching family guy box set love fan family guy funny hell go wrong family guy better volume great show though disc three episode kind tease family guy fan love season show know audience comedy flowing love show beware item think getting set pictured special th episode slip case individually may one receive ordered item understanding getting item pictured nope instead got slim case version disk back case central holder disappointed give last night really enjoy unrated uncut even though watched v like see full way seth originally yes family guy full crude irreverent humor poking fun popular culture everyone sun know everyone cup tea find much laugh still find show funny feel lost sense humor time favorite set give set couple yes release entire season one create problem though long continue buy paramount continue little problem set sound seem mixed correctly times example opening theme song solo line laugh cry hardly audible wonder problem anyone else overall happy set hope family guy long entire show beginning end cannot find rest enjoying first season rest comes available thought series funny sweet short find eye candy comedy relief chick flick course supposed hopefully second season actually cute show could better sure bad would buy season never show found plot acceptable sit venue looking something different watch observe life side fence series watch show funny smart many make easy big talking exes smart enjoy think little bit laugh loud marge l word fun buy second season thanks safe say show par l word however still watching provided quite kept interested enough watch twice look forward next season light hearted serious take away value mind comedy cheesy cute like series show clever entertaining show prime time quality fun watch decent witty based show highly recommend second season different first one plot elimination process whole drama lot plenty lot love new york sister fact supposedly going second last time love new york show going produce shock cause flavor made comeback season show bet fortune new york miss new york found love second season honestly expect another show wether looking love showing dealing tailor made absolutely love new york better season season entertaining season absolutely cake either way new york non stop entertainment good intense nearly good season always good laugh though prison break great series third four plus season series watching season ready next great story line pretty good love show fan model one different believe smart model fluke thing show much watching wait new excitement free episode silly still made laugh hope see like future awhile get use comedy different think comic get girl sure giving birth comedy show enjoying becoming homeless person think couple show could really become something special first disc audio commentary laura spend much time watching episode enough time point supporting commentary face laura jay watching spend time episode laura return commentary boring additional commentary director rob head writer sterling point episode sequel officer jay season easily track two men enthusiastically dish working episode funny informative commentary ah men agee point disappointing track additional commentary sterling point sequel pilot episode never interested character many another funny informative track finally deliver another dull commentary maid border disc two comic con footage q session cast show comedian amusing chaotic funny expect cast make fun easily entertaining hilarious extra set also included two digital short party come alive three clip video game finally eight behind various cast offering making show pretty amusing worth since release first season show date collection volume box production show underwent writer guild strike late early comedy central begun airing new cover considered part season aswell see listed curious contain pro life group dungeon master year long campaign regain custody seen licking hind quarters public park fear marriage face entering private tennis club black man see attempt replace mother tombstone compete favorite show party ah men seeing around neighborhood give god serious shot relationship high school reunion maid border aka song metal one song two maid laura goofy one man show think brilliant show funny cast perfect get enough wish show longer yes potty humor think second season good start tricky abortion racism homelessness child abandonment adult bed wetting paranoid turtle sex god anti usual irreverence charm oh yeah show frightened got northern hotel difficult assess spooky place thought afraid worth watching latest volume fi channel series ghost super enjoy already seen plus catching one two paranormal passion one negative comment none ghost hearing turn volume quite loud catch said time bad big vision entertainment big vision entertainment make go season worth see big wrestler dude shriek like girl run arms entertaining show half season whatever reason ghost split two probably look like impressive collection shelf least go series needs watched order could start anywhere content ghost taps atlantic paranormal society go different prove disprove main goal say paranormal activity load team go place set equipment investigate night experience take time evaluate collected present client use variety different equipment electro magnetic temperature cold video equipment explain episode everything use always assured knowing video sometimes clear sometimes really working dark sometimes amazing clear although probably better equipment audio hear clear use lot sound effects music hard hear going time main core cast season grant also lead gruff one grant sensitive one work well together tech manager enjoy watching another investigator least mature season tango another favorite goofy earnest help like donna add different style investigating guy team go mainly famous season city hall house northern state hospital underground presidio lullaby lane mansion lyceum restaurant sanatorium private think private actually better big authentic although anything wildly exciting really live episode season last ask earth bring investigation make sense still exciting season entertaining watch paranormal investigating think one better grounded believable review love grant really love headless floating torso expression slight eyebrow grant disturbing tingle idea fun show lost many along way end part two season three one rather feeling grant lady think actress let get real people back team miss variety wacky yet intelligent miss old enthusiasm miss plumbing saw ghost well good enough p also episode little morally iffy believe tormented least bless house religion leave people hellish limbo believe show well really ethical make money relatively recent murder really say went astray say born fundamentalist never information peter watching ghost via satellite almost beginning seen original read grant say believe may exist want kind evidence kind proof paranormal investigation team work premise attempt debunk paranormal gather evidence hard debunk dispute left evidence may actually support life death e ghost paranormal activity ghost works scientific leaning technical equipment k digital night vision thermal sensor equipment paranormal utilize spirit like discount psychic evidence hard prove debunk nevertheless like paranormal state paranormal broadcast e place well certainly interesting psychic like chip coffee quite interesting fact watching many gotten bit mushy late even original program used display medium readily short psychic like peter also quite interesting peter science philosophy religion come afterlife reincarnation karma interesting material case paranormal field interesting one really like see legitimate psychics paranormal like ghost peter life side admit afraid watched series however problem horrible cast jay nasty person even bad way times abuse hard watch jay attitude treat bad guess like ghost international crew better much pleasant professional anyway interested afterlife hit good incredible get past horrible cast watched bonus content available far short seely waiting room sessions little fun interaction two like view watching episode like humor show funny wry grin amusing course free big supernatural fan watched every episode least twice season pretty good hold candle previous two excellent condition package quickly one piece good season dean contracted go hell try find way keep thing like play lead without go work get see enjoy lead episode far know season automatically play still great show well worth watching supernatural phenomenal show third season shorter usual strike late despite still great season bought present husband never series imagine surprise sat husband watching turned supernatural marathon hardly wait season come sad season cut short strike still worth watching shine dean sam also well cast supposed ally ruby sadly special feature series gag reel yet something show find especially entertaining love product course nothing geek time watching sometimes skip never tell player needless say keep forever much love show would naturally give top ray menu cannot select individual menu button take menu way go elsewhere back episode watching want episode six disc one fast forward skip first five yes really bad ordered mine maybe early screwed later fixed anyone ray proper access please shout let know warner fixed mistake hopefully able get swap duff product give product five show season excellent good script acting plus duo humor make one hell show update looking around discovered perhaps menu broken someone took brain dead decision implement episode selection main menu however episode pop menu let jump another episode bump star rating information review currently allow change roll season season slow bit yellow dead impending doom start get prepared one meet two prominent ruby remain focus season next tone show bit little serious become little brother relationship bit strain overall individual remain good overall still excellent season bad good season cant wait get funny exciting entertaining brotherly feud get old though definitely want stop third season small annoyance read review season good show dean character comic relief excellent job season awesome release anything like previous awesome set thing upset fact season petty yeah hey petty acting writing pretty spot really dont think season well unless crawl great show great acting great writing missing much totally happy less received time jacket tact play well watching ordered excellent condition guess meant everyone goes hell turns demon answer dean unasked question cleaning much much simpler grey area demon mouth course demon ruby like help tell everything need know product condition however everything went smoothly shipping pretty quick would highly recommend seller cute hairy close always near really like weird supernatural supernatural although love supernatural season probably due writer strike watching straight took us nearly finish season cause pull find next absolutely love show watch almost every day lose track time watching show season many world thought full seen anything yet also season meet influential ruby three ruby intriguing unclear demon season much first two two one done someone bare another scene one basement full dismembered body increase gore understandable horror series probably expectation increase violence season though violence show understand getting beat still risk people could become seeing woman get face body speaking fight unrealistic show besides supernatural element get serious walk away relatively unscathed get thrown across room next scene one scratch walk fine broken lighting gotten wonder got dark darkness bother much refreshing break like different episode example fun hotel room stay decorated also fun supernatural beginning example season shook around season surrounded burst fire season pointed star lettering drip smoke background sound effect like monster groaning episode match theme show still like final destination th sense episode meet trickster second time least admit stealing movie day acting show improving season two believable see fight get also great love loyalty really season even found getting teary eyed keep improving season really anything movie region roommate show last absolutely fell love love amazing make show thing ever even got made watch third season trip watching dean journey last year funny heart little watching fight save thing better season one exactly yet patient would seriously recommend anyone actually recommend everyone know pretty much especially mind watching even like scary stuff worth sam dean removed item title ray format please understand wrong show one paying full price nearly half show acceptable third season great season much mystery mystery artificial much brutal reason may strike still acceptable pay full price half product show one shame nice new like demon still know goal sexy demon search new leader acting still great show way average next year give us season normal price get us even finally found rip us even show even less find show lesser wait price fair saw first episode supernatural accident one favorite immediately recording lot imagination really typical episode got wife enjoy saying something never like available time supernatural many already also good enough still enjoyable normal layout pretty standard unfortunately ray version season bizarre another reviewer something like menu available trickery also menu access made best way access different ray use fast forward remote gave star rating said resolution sound video enhance lot something one series religious subplot show existence heaven hell go one episode particular dean main character life debating existence god heaven perfectly willing go along around initially unwilling accept obvious implication opposite god heaven conversion spiritual journey many today society educated agnosticism eventually find religion heaven however definitely heaven show lot meaning contemporary society love like edgy hip funny dark due busy work life able catch one two could get caught preorder three fantastic deal worth got product fast complete brand new set wrapping complete season three disappointing shorter due writer strike funny heartbreaking thrilling always role reversal season sam trying save dean dean showing side fear going hell huge fan series disappointed direction show going looking forward season show getting better purchase wish special disk guess al watched spend money probably spend money something like future either good show found first season cool fun never totally th season however scary creepy brutally violent disturbing though matter many times see neck snap show still squirm season think memorable nothing disturbing episode episode dean young boy ex son one despite creepy love also one engaging sam time find way get dean deal made demon dean one year live according deal hot demon help sam save dean first season never really felt like watching scary horror movie every week made feel way love show glad watch ever choose like show one disc making two skip stick season three character pat great action good amount may much blood spatter younger one several ordered daughter gift series supernatural love show love plot love nearly every case plastic hold different place like binding book flip right episode always broken go everywhere hard close case correctly otherwise would star due shorter first two due writer strike third season supernatural almost break neck pace way climatic season finale however think away main though truth actually due shorter season focus mythos content per episode definitive break show previous two one two story monster week motif main spread several throughout season leading season finale result season however third installment series away monster week episode instead task hand saving dean going hell series also prominent role show gate hell end second season essence different often replace typical week say monster week every episode something important pertinent main story also dialogue third season another shift becomes much witty sometimes comedic quite classic dean sam throughout season two play wonderfully third season supernatural also new main character series demon name ruby whose true unknown taken quite interest sam even though season grade quality right previous two like something missing plot development depth story almost third season supernatural sort transitional phase show shorter season general change episode format get wrong still great story epic feel first two say season finale right best although season three beginning shift series still supernatural none less first two way disappointed third story dialogue acting special effects season somewhat disappointment thrill ride season introduction questionable ruby constant instead folklore made season entertaining bit get wrong still going order season watch supernatural still far favorite show get strike gracefully comparable season adore supernatural personal downright spooky everything casual horror drama fan like could want problem got steal looking season favorite season thanks wait till bargain bin suggest great show come great get wrong avid fan love story love overall story arc confident continue kick series however little disappointed season introduction background also felt gag reel necessarily shorter less material high jinks draw still great content also bobby received necessary limelight said done feel filled love first two season specifically episode love impala piece short little overall felt little underdone assuming another affect season despite little awesome series fabulous cast crew amazing episode absolute support although hope never succumb mind washed slave like devotion continue purchase every series doubt continue play unplayable need purchase new like first two bought daughter law great gift stuck house good plot great movie past time seen lot people throw around phrase lot like buffy best show angel nature thing none like angel one seen far match buffy well get ready angel show finally got something come close worth successor third season eric show balance horror humor mythology drama angel known enough supernatural great show season proof writer strike left lot less stellar material show episode even less impressive entertain overall arc even episode episode quality great fantastic second season remains quality show emotional holy believe season tie previous nicely giving deserving many old sam dean men arc main story season however deal dean made finale second season dean bring sam back death made deal soul taken hell one year time bulk season though somewhat episodic feel situation throwing two fight one force conquer death dean impending death poignancy season particularly special finale even possible resurrection season four happen people take away emotional resonance arc overall slight step fantastic season two still great season great show definitely one best supernatural one best v definitely well written directed cool special effects superficial show teens like depth intelligence well incredibly hot season therefore entertaining however writer strike season short instead making got less full episode commentary behind gag reel camera caught tape said anyone watched must watch season huge fan supernatural watching supernatural last year got hook collect whole series another great season supernatural one guilty chemistry two dean sam show great dean cockiness funny charm always show sam innocence bring show earth last season dean made deal crossroad demon bring back brother sam dean one year live kill many possible one year sam find way save brother highly recommend great show anyone episode list magnificent seven alright bad day black rock sin city bedtime red sky morning fresh blood supernatural malleus dream little dream mystery spot long distance call time side rest wicked minute set cast making television show episode though find way finished episode first time genuine reality supernatural effects minute discussion three special effects come play visual effects special effects effects show creator various three department clarify important aspect week broadcast p supernatural impala different famous impala use transportation week brief p season three gag reel showing many set two also inside case code user free digital copy season supernatural user menu also viewer turn begin episode particular season copy put classic rock roll set best part show music use perfectly every scene every highway drive everything part season live bought set aside bar scene hardly music music opening previous two almost every drive classic rock blasting opening music almost still almost music one great great music deliver never got music case really mad show paying price release music set otherwise stopped music season know saw live episode watch rest live know watch great show like got atmosphere sitting front computer get appropriately since nobody else either nobody else show great matter somehow got one copy without music hardly use classic rock season five star show five star season lose star music set believe cut season series one enjoy roommate love classic rock series like much want know end dean probably fine season supernatural season season great always scary previous though dean sam trying find way get dean contract go hell personally thought journey would take far longer safe dean season finality fast moving sit speechless due strike made season look small season fan would one would whole price less bought nice came quick time course material talking supernatural either like genre far quality production screenplay great given budget unclear exactly box little bit beat disc good shape problem far love supernatural series short season due strike think new character bela disagree least got one season bela got satisfaction extra humor obvious season actually favorite season current th season half way humor mostly situational thank goodness dumb dean normally pun two anyway also dean time time go hell made deal demon remember anyway good stuff great sale season need see previous understand going awesome worked great look brand new minor one made couple skip otherwise awesome season budget personally feel fully rounded package bloody brilliant equal exceeding top previous yet bad horrid red sky morning malleus inclusion two female bela ruby mistake cannot fault demon character ruby actress performance feeling character purpose successfully added another layer intrigue show possible demon good evil always evil according rumor next season end world completely reason absence lack mention given previous particularly care greatly like jo never seen fact actually written end bela ah bela one apparently seem point understand coming character used full potential timing also something suit bela well let alone acting left lot desired yet one thing think right bela exit smart even clock ticking poor dean season manage add even brotherly relationship two see connection originally growing begun disintegrate get feeling keeping keeping one another audience lap dark season humor comes comes often brilliantly timed undeniably smile good percent hour budget classic rock music slightly limited usual still enough keep us going supernatural hidden know stupid dump floundering pet project give supernatural attention lot us give hope good article supernatural plight read look forward season four breath season three finale left slightly anxious ray season supernatural cannot seem get menu kind put disc watch order take break call specific unique share hope manufacturer fix ray cause otherwise would rated love show even though every episode good previous show still worth thought going toy impala set disappointed maybe elsewhere still love show great reversed season one soul save long find way deal one sent hell eternity season supernatural show dig mythology new demon ruby friend foe pain yellow eyed demon look like chump bobby still every help plus one ever seen season show comes twisted type day sam must relive death dean think sadistic laugh watch see mean always flirt danger third season supernatural added unusual made entertaining exceptional third season show upside terrific looking ray transfer plenty detail rich dark nice smooth look show digital minimal hardly unless really looking sound also extremely good use surround audio digital surround regular set although ray disc pack cardboard regular standard definition watched far booklet episode also digital part package although disc instead like original conventional would nice option post commentary since season instead get closer look making episode faced inspiration commentary track pip minor quibble downside season three got writer strike prevent creator eric along sera gamble ben creator one cult tick producer director kim manners x producer director singer clark midnight caller monk among one yet series dean sold soul save brother sam death sam try find way brother binding deal find new adversary major demon find ruby demon surprisingly side sam reluctant dean fight also must face bela often allies extract pound flesh dealer supernatural millions third season also facing seven deadly incarnate sterling k brown caught facing oncoming army dark working infiltrate neighborhood dealing goofy shoot pilot series also manage stir nasty ghost process variation day took unusual twist midway quality episode comic sobering quite moving sam dean fate repeat day terrific set well worth ray although admit even reduced price still pretty steep still strong although clinker two nicely mix horror suspense humor highly little however occasional bad pretty scary great price sale stepdaughter super excited get think episode well enough although end sort certainly number plot would see raised effect bobby increasing partnership dean deal mixed success raising come sad see end disappointed two felt show really needs lower price law order find episode great episode start seventh season get learn late husband premature death recommend episode fan short lived series great fun couple old episode one fine computer play palm copy protection come beyond think next greed head sticks copy protection item like show show similar odd humor somehow work show actually might better somehow though maybe due surprise fi original series decent bit merit would say definitely getting worth product somehow entirely series originally glad opportunity view humorous interaction town perfection musical scoring great really screen victor gross enjoyable watch really seem fun supporting cast also good glaring exception although pleasant look pedestrian acting performance found quality video acceptable mind pan scan aspect ratio also believe intentionally shown chronological order rather air date sequence protect integrity story continuity special except special effects work look downright cheesy fast paced chance visit crazy world perfection rumble beneath could something far worse earthquake good movie younger always want watch come night lots collection complete without set highest quality picture display must fan character stays true series plus see show mindless entertainment mostly entertaining film franchise begat brief entertaining series fan like series seen definitely want see first series show lot bad fun relive gave series due fact well show dont get wrong life long fan ever since came absolute must fi alike love idea like series kind wreak havoc premise lonely isolated town perfection federally el blanco handful determined wearing refuse give domain sole main actor gross also original course role anti social government mistrusting curmudgeon survivalist burt gummer handsome new guy amiably victor town first episode set tour company also dancer attitude walter got chang relative store meeting place pain behind government man lady street turd first flick loony scientist character back future taxi fame liven bit continuity throughout work best keep tongue cheek burt sarcastic self fellow play serious long exposition happening boring well low budget cheesy effects goes model overall rate whole tremor experience best least series hopefully set year better last one like true horror like first hate cult nice see burt still love show die hard fan series near good still fun little show considering low budget work made fair stab trying turn monster movie spoof great fun well worth watching version popular movie series much however series quirky charm bad popular enough look dean breaking bad role like probably like series expand life perfection valley new go alongside usual another interesting fact us life goes pity go beyond also pity universal fi channel feel like proper bonus talk would remember series feature like first one expect special effects accordingly probably good time pretty cool subterranean monster fairly successful creature flick three subsequent series many original story mostly centered near tiny settlement perfection population carnivorous sand known continue threaten area acquainted program familiar feel gross role burt gummer heavily armed survivalist type passion killing responsible death wife bacon ward gross original movie gross assuming lead role gun happy gummer ideal character continue battle save perfection gross producer series stubborn group determined stay spite danger newcomer reed victor perfection new owner desert jack adventure quickly community nancy storekeeper chang lee developer looking buy charismatic dean breaking bad dome w official department interior pretty creative good action several beast heat human body addition head sandworm el blanco also two legged often attack even flying beast known ass blaster special effects encore visual effects group often impressive much better might expect program originally fi channel one hour broadcast order release order intended picture full screen image quality good fan franchise looking little action probably enjoy short lived series currently available really low price bought series excited get series completely addicted series kind corny enjoyable entertainment bad ran one season could endless dealt like gross series based must see side several order visit watch order though like series take days minute episode live colorado dial service wish would offer entire series ordered episode could fat chance could transferred might buy rest series even days episode looking episode list night gallery season may confused though actually season series sixth sense ran two short spring fall first six listed first season night gallery fun night gallery vein traditional horror nomination episode tearing bar night gallery great fun classic horror although somewhat look original one hour format episode length heavily added syndication half hour show originally sixth sense closer detective show paranormal investigator lead well collins also ignore air listed want accurate listing original air go guess first two together night gallery name offer seven think sixth sense would sell well sixth sense recommend trying one episode like probably like series night gallery story different writer director may want try one episode see like rod wrote many series neither series good original twilight zone best x great fun hold unique place among supernatural entertainment simple yes fun watch people make fun see drama sure staged like professional wrestling still fun give entertainment completely uncensored best video ladies still like one reviewer put like seeing two hot making exactly appeal series fun bad body series rated specially washing hummer g string showing without bathe pool full chocolate came sense plus show theme song included show excellent show anybody enjoy cause mind kissing show considered open minding show gap past generation generation future generation pretty cool show nothing special last thought would full disclosure seen yet see film background extremely hip bar club many besides simply fascinated documentary luckily looping ended able learn title soon entertaining host good knowledge well humor thing thought personal taste detail overall would recommend seeing one good fun especially either grew laughing brand halter top comedy horny teenage dude cheesy entertaining way pilot show fun think selected based political correctness instead ness get weeded subsequent unfortunately get fox reality channel area please see four really love love show appreciate type comedy like personally blast show best thing since movie macabre thriller video midnight madness unpleasant retiring would need another already one get still hot show funny though nice seeing show used watch cant people make drama downright aerobic understand gravitate toward warner show lot fun though season two turn tragic saw video show troubadour la saw documentary tour even best documentary comedy seen show funny still great due presence three tremendously talented trio even though one best around three maria merman time video maybe merman well known thanks satellite radio exposure elsewhere nowhere near secret brilliant skewed manner something difficult pull even better today bit nervousness show video seem present stand make laugh maybe bit frightened element watching appearance metal horror geek often trepidation audience funk appearance positive funny impression towering self deprecation sign mental imbalance feigning comes game life saver laugh ability alone however maria star video go edge without hint concern concern merely pretense smidgen concern far fact holding back directly carotid right stage opening discussion pet pug blossom laughing point brilliance telling great maria best female comedian planet right best period good cross benjamin almost always good times drag tad two plus comedy stage show energy kept going pretty decent pace eager crowd locale troubadour usually problem providing speaking presentation production straight forward somewhat static stage show cross benjamin stage hilarious inventive bit friendship outside standard stand review like comedy raw mean necessarily profane laugh movie camera many grown around particularly glad stone view many take fact good piece various conspiracy digital film particularly helpful sat edge seat waiting successfully get revenge ex wife movie fabulously produced found really intriguing watch turn one person another throughout movie pretty cool think could done better job dialogue painting better sure movie intended appeal prurient yes think good deal quality movie think director really intended another sexed movie instead think director willing let make first get sexed people would rent would find solid durable make movie worth watching watched way stood test full length movie good griffin inappropriate true funny hell like sarcasm gal collection griffin stand personal favorite strong black woman reason gave collection couple great e first class still worth money good though must fan question phenomenon amaze sixth sense able predict unexpected event maybe able guess winning lottery ticket often normal suspect may different normal people need watch program see like compete gain designation see several people also think extraordinary test various amazingly dangerous action could hurt worse one determine four deadly snake merely beautiful necklace amazingly playmate another may able keep drinking deadly acid immediately nail gun equally heart stopping prove world renowned outrageously truly phenomenon weak heart like paranormal want spend another bland evening watching reality watch keep predictable save stunningly good time interesting idea episode got boring still neat cool thou especially scene future raid beginning glad hosting blessing able watch order ever keep seat best fi great working treadmill star gate sort like star trek without enterprise old like movie female detective quite good expect serious mystery one like thin man light great way entertain group might much common show two one deal get informed history drinking customs particular area world hilarity comes along drinking drink wherever love show stop watching start clip wild ride almost certified sake specialist pass test august lived worked japan watched video brother son said bet people think guy crazy yes agree may bit offensive fair share crazy show really entertaining quite funny everyone clash good fun happy sparks fly host crew explore premium sake made sake rice polished least sometimes much viewer sake raw nigori cloudy sake refrigerator away light still young sake hand aged example delicious per bottle crew sake brewery good job explaining making sake viewer rice yeast importance good quality water program good two material factual accurate presentation good entertainment note purchase premium sake beer great show big city idea rating system works arbitrary detract show note link episode show episode great really see based city brewing history looking like linked wrong show republic programmer cappy year old walter man considerably older sea captain comes home find house meddling daughter open electric eye system ugly kitchen drive cappy crazy desperation subterfuge may put life back order simultaneously get daughter dump barnacle soon wed cappy family ex future two day cruise aboard old schooner sea cappy intention turning back itinerary week journey south despite angry cappy work everyone go strike plan b operation deserted island ship fire two take dinghy row ashore fire extinguished cappy schooner month distant everyone cappy ex scheme willing pull together survive cappy every day boat radio hidden dinghy daughter also schooner really sink everything falling apart news broadcast comes radio saying cappy ship lost sea since island shipping little hope rescue huge story decent hour quickly enough always interesting give one parenthetical number preceding title viewer poll rating cappy walter mary talbot frank frank melton barry b gave step high fun movie watch acting plot line sure winning fist fight hoot arms around somewhat aimlessly good guy beating along good car motorcycle chase fun movie remember seeing movie ago forgotten title pleasant surprise came across according acrobat silent film star german accent made less successful took later film director german accent sometimes noticeable dialogue barely film pure action romance obnoxious rich girl chronic speeding handsome highway trooper chase trooper finally girl somewhat unconventional manner rich girl influential father trooper fired later private investigator solve series oil tanker pretty mild show athletic fight car chase star rating probably star sucker made find movie first seen also admit particular fondness historical period clothes set props architecture great simple morality play indispensable child offering good evil always always satisfying one comes simpler time tough sell information rich cynical times wonderful one drift back time moment found film fun although bit look telephone music jukebox short lived method central record library via private telephone connection b movie one worth older film old time charm classic first starting appear time worth hour time helpful video especially limited movement truly enjoy exercise would recommend number people video many random however video get free find monster quest one life guilty episode high production good narration spooky story series clearly toward real side spectrum time episode entertaining atmosphere mystery show honest negative camera traps set take elusive yield lovely deer even far least never skunk ape dog man testing mutant monster dog dire wolf big feral dog footprint elusive orang relict specimen homo turns belong bear clever experiment high speed photography good job theory ordinary video another dimension whether think real folklore show nicely want sit back enjoy spooky entertaining tale hour really easy follow workout progression pretty easy still giving thorough workout confess trouble move fast bit caught quickly got great workout day always ridiculous fi wonderfully representative genre thing one time favorite cheesy fi made larry remake world enjoyable bit b grade cinema remake horribly inferior original silliness bogus science quality production notable difference world monster like three eyed hooded pincher whereas original monster like enraged carrot story brilliant lunatic scientist tony bring home planet help people earth become peaceful friend curt always gentlemanly agar eventually must destroy taken residence local cave close environment sure take world people fly implant pin neck making biological sub unit following love watching fly watch movie much bloodshed panic streets sample exchange power gone husband iron lung shall dialogue see film finally plutonium ruby crystal beam gun special effect ever seen film movie real wood moment solemn pondering future mankind nutshell great piece cheese sure silly sure ludicrous watching speak via radio gear goes looking excellent piece mid paranoid fi lunacy thing would tough beat eye another masterpiece many music satellite image also used many secondary also miss tony corporal culver b movie regular trying desperately marry hull bunch grade z get way plot amazingly generic standard b movie invasion covered although notably smaller eyeball enhanced terrorize small town military cover event prevent public panic police believe brilliant method killing found nick time film drag bit tough slog made excellent episode mystery science theater episode attack eye typo really title card highly recommend check k version preference original version b movie entertainment value one thing image quality relatively excellent seen endlessly several different best overall copy seen likewise seen several eye also best copy seen also came quite lengthy feature personal film career would like see something similar done agar point well larry made shoestring eminently representative cold war mentality dominated science fiction good conventional reckoning unique charm especially recommend anyone primitive science fiction cheesy film history one real treat warren hull heartthrob mid never learn interesting aware personality learn also movie star seen cute little movie anywhere else even turner classic camera work sound charmingly amateurish plot film interesting much state art silent film let known first classic due age keep mind thinking purchase may exactly want old movie version story looking something aint rated due uniqueness rent copy library know old love first lady poster room nice go back hot stuff put today young girl topless movie time get quick hair everything good skin flick true life story cowboy part part movie concentrated world war beginning first need understand times movie made shortly pearl harbor everyone looking jap bed thought movie fun watched little good bad monogram bataan ranch b w fully digitally success republic three several came together around develop new trigger trio screen star ray crash producer w monogram character name ray starred series range clearly lower budget copy big muscular ray crash lead second lead dusty king big band singer ben orchestra reasonably good baritone would vocalize tune two film comic relief ventriloquist alibi wise cracking dummy monogram would distribute range directly involved deal gave substantial share film interview later ray said received first film double feature bataan b w production staff w c cline king musical direction story line plot dusty king davy alibi range shipping ranch cook also looking japan thus german spy miller guy one favorite b western frank also contact going government range work cut never fear task interesting part film u government radio pearl harbor head nearest enlistment station th monogram range buster series bataan first appearance range buster ray crash cast dusty king dusty davy alibi alibi sneezeweed alibi manners clark buster tad spy frank ken crooked rancher army captain guy truck palmer truck truck dusty king aka miller date birth death san birth st death march disease birth death june film double feature ranch b w production staff w c cline musical direction story line plot ray crash dusty king alibi range rodeo unconscious back father time range soon thrown situation get railroad right way across mother ranch release range find job difficult sheriff evil awaken tree back time best appear craven jack cast ray crash ray crash dusty king king prologue dusty king alibi alibi alibi mother craven dan judge sheriff clark nick rope twirler ray crash aka date birth death august harbor crave action drama plenty adventure check western double ask carry available yet order pick copy western double feature wrangler roost saddle mountain roundup vol fugitive valley last ride thanks collector character identification chuck old corral b western bobby j author trail talk empire bob author real bob interest b b high drama one anxiously waiting please stand take bow total time min monogram sweet funny depressingly real honest look like spend one long days retirement home control life lonely busy unable care oneself waiting infrequent outside left adapt enjoyment new family permission glad chosen keep us well done story uplifting times overall sad way treat wisdom entertaining movie good guy girl attitude conceited good end love understand love top particularly love era aviation put together going watch movie seeing reason give try reserve rating favorite would watch like give go like old would recommend good wholesome entertainment like trash today good old grade b movie much younger think would fly today free prime watched glad lumber holding widow returned war veteran son lumber owner gambler roommate cut enough lumber days pay loan holding taken good movie old lumber hand sawing river get mill also use airplane nostalgic good nothing objectionable husband cowboy watch would like many venue possible thanks sending alpha video bargain priced often hard find vintage ideal willing skip show evidence restoration quality one title next fair good average review also linked reel version frank fay pioneer stand comedy jack benny fay persona especially vaudeville egocentric fay elegant top hat full tux first transition touring stage early often sang fay married unknown stardom marriage fell apart due alcoholism success star born based vaudeville nearly extinct fay lengthy period without work finally landed role dowd original broadway production near end life frank declared non compos probably result alcohol abuse frank fay two shy th birthday meet mayor aka fool advice frank elevator operator hotel tiny helpful frank also inventor superior voice transcriber gadget ultimately day fine little programmer frank man favored beat incumbent mayor run railroad track hotel property would throw several work leave many long time homeless record man railroad bragging voice cylinder get retire mayoral race meanwhile gal frank secretly love partner heartbroken heavy downpour later bitterly never help anyone small boy busted go cart frank back self even able wave happy couple standing caboose platform train honeymoon best known cast bittersweet comedy franklin nat great black white western quality good expect movie old quite odd cinematic hatchet honeymoon classic film brilliant director anatomy juvenile delinquent film way considered horror let cover fool nothing scary monstrous really even entertaining anatomy great title forgettable movie young revenge people responsible brother murder put death quite honest much worthless hood brother sympathetic character sister pat stop reckless violence causing misery normal people film exactly cover well yet hard working cop heck time pinning anything whole thing potentially good ending rather silly hatchet honeymoon quite different story low budget film directed master genre rich distinctive atmosphere combining brilliant cinematography lush visual effects intensive musical could conceivably carry film throw delightfully droll cold blooded performance self madman need slay new wedding nights dramatic laura unhappy oh vindictive wife exotic charm grace gorgeous got movie enjoy time time absolutely positively anatomy thing even possible getting terrific bonus hatchet honeymoon buy movie want hatchet honeymoon highly recommend movie might well get get little little bang buck extra film bad certainly good either way come winner samurai tale warrior must battle various exact revenge best warrior land lot bloody violence good action show really good animation samurai anime nicely done catchy also good fight cool concept samurai well done film fine watched watch anything glad humor ways show love relationship part show worth sweet story sick world today love watching old especially cold winter night good story picture quality good coy solid b western actor rated actor genre range new name ray crash truth known series made big fan crash duke plot predictable actor seem humor flat action reason three however make look black found real person reason four movie research worthy extra star fourth minor spoiler crash end girl end good example b movie genre great family fare worth popcorn real stuff microwave watch father law watching lum visiting us one weekend set lap top watched goldie wit comedy simple bit archaic sure father law self worth watching young today know many punch mean older generation earth funny bit silly side times movie long really hour long rest time blank pretty good old movie radio lum really enjoy movie fun family movie cozy feeling hoot sit back relax push play movie actually pretty entertaining love cab ever since discovered stormy weather great actor great musician anyone production please let know also mindful movie different time period open mind enjoy grew still love bob always sure good one exception really old bob flick hero er done like usual big bob steel fan easily view one old shoot em really like old entertaining relatively simple easy understand long pure entertainment nostalgia beat well enjoy watching old time entertainment enjoyable movie back older time history drug culture raw easy rider template everyone cool ugly shown way one show hectic disjointed life heroin also regard willing break every rule bust big dealer could argue enough prison country every user could argue perhaps particular big dealer grease right like broke every conventional formula time poor image sound quality seen supporting ala st valentine day massacre really seeing leading role change character spot black also one better somewhat story nevertheless enough excitement keep watching till end great life big apple late early added bonus dig bell puma big cause r cool bought different pair yep big fun watch like live less bit less one one star better say favorite show watch suppose better show best barely even talk cute buy love story rich guy drunk girl life endearing guy funny recommend want see light hearted yet serious message love movie ended enjoying mostly story silly initial music good fan movie watch seen twice level jab met tedious sometimes silly movie usually enjoyable following compliment since character mute actress rely solely body language eye contact really beautiful movie never entire movie except sing dance scene daydream fantasy moment real event story think great job part intentionally low key drew movie whenever screen version high quality disc dual layer anamorphic digital page booklet built great creatively designed cinematography well done couple music good cast great giving movie fun watching cast first half funny sore stomach single scene laugh film people serious matter shown extreme humour best movie would completely nothing without terrific comic first appearance tried hide someone took loan face ground like ostrich head hole film everyone someone else cinematography excellent everyone wearing white clothing know probably highlight everyone look good second half really emotional felt really sorry marry ending good everyone fair movie directed best comedy director best film far seen amazing made one music best film fictional depiction speculative future pretty much right target actual main opposing judge defendant vivid believable bob unique animated comedy amuse mature although dry humor slow start relate really begin pull bought alec tony part use watch recently hard find measly good sense humor need video ale might want check particular episode funny usual bought classic also bought first ever born biograph leaving outfit received per movie company like ben manger grave broke new ground first five reeler motion picture history shown missing time single hour however crew still depict good deal story quite well fact manger cross shot location another first cost k million ticket percentage wise huge success week failing secure salary increase despite many profitable fellow mary famous later paramount career ended silent era age majority either forgotten lost cast director blind man also bland man dyer boy gene virgin mary mary morgan g j p jack j clark item available two along passion exactly one translate title mala uva bad foul mood real mystery movie crime thriller hit man dark comedy hit man wrapped romantic comedy growing older every minute like many favorite mala uva slowly without fanfare many throughout quickly begin recognize best family self within happy loving family secretly former hit man tell quietly subversive charming film really sancho excellent movie much marcello later career many tongue cheek like great gift warm slightly skewed sense humanity every role sancho could fill least film never said actor worth watching mala uva performance think find even like movie anyway ordered one episode price per episode little high taste image quality decent enough first half season pretty good watching would purchase however finding last season little less enjoyable disjointed story bring various close still see summarize overall production fabulous worry many many waiting finally premier second half season see known planet see crew planet learn identity final good episode half season reason getting hint season one box season divided two realize finished watching set would full season set also razor movie need buy separately stop watching usually fi gal thought would check well done expect unexpected goes far beyond original glen series j best racy time season dealing fall finale four regular discover despite last seen viper gas giant fleet mysterious power failure attack colossal fleet opening episode us impressive space battle yet fleet heavy escape much spoiler reveal escape victory discontent return claim earth trust ship crew see locate planet prove popular soon mutiny meanwhile turmoil revelation mysterious final five human fleet long gulf begun new fractious civil war back fleet four try work going whilst new career fleet political system leader new cult fascinated belief one true god dealing return cancer prospect mortality season lot interesting story move forward intriguing manner however fact supposed two full episode compressed one painfully obvious times meteoric rise political time series would made sense spread across whole season maybe year narrative time civil war mostly screen due time budgetary really home episode sine qua non possibly confused borderline nonsensical episode series ever done moving plot behave totally character especially however painful act accomplished final two half season return series form since early season controversial alliance one number interesting nature humanity whilst attack hub nothing short mid season finale best episode since exodus two parter quickly feel rushed stunning acting hogan give us dramatically intense scene series date whilst best performance lee put really difficult position final two episode represent one television last year ensure everyone comes back second half season regardless much charge season series best undertake lot necessary plot set show grand conclusion episode price set also remember final begin airing good show pretty similar sex change along series good good bad still better ship metaphor series fourth season plot begin show hard time keeping various together like goo threw ship pasted new end give trying keep together particular final five trace somewhat unresolved sorry use song thread also weak end mix theological philosophical psychological sociological political assumed weight heavy bear considered enjoy final episode bring fitting somewhat incomplete closure series appreciate part achieve character acting dynamic every one cast works together create believable plot season everything keep going wrong someone going baby another husband one final booted ship outer space fight big mutiny leaves wondering going go wrong next episode one watch acting totally superb rare combination great writing fine skillful direction excellent production series immensely setting aside disappointment show end eventually season story arc rushed tying myriad plot multiple character burden fell upon final episode revelation unanticipated less surprise ex radical proposal future faced opposition given constant quarreling among fleet feature entire series highly implausible agreement surviving also given grave toward every previous episode inconsistent painful learned throughout history said still series season fitting end saga definitely sad see end though past lot final five worried would integrate show without messy episode lot explain manner lot sense complaint bit exposition dump little much telling showing season great story line lots action done yet far great sorry last season bought gift hubby birthday fan die hard fan going get extended version razor might well essential series first part season sure include well gave like series thought second season best know fan bother listening star fan surprise would like episode especially last season owner considered show problem unbox look like crap imagine wide screen show wide screen black around solution use media center extender oh man beautiful would give us everything quite well nice ending show still bit mystery leaves room expand universe great show overall feel like final episode could better would definitely recommend series emotional include care much last episode part overall thought season best could done something better end oh watching mostly back back night tired watching lame need better way skip streaming spend almost amount time trying fast forward waiting catch may well sit watch tossup way less annoying great story graphics length season little graphics little gave different feel length season long worth watching call must see tying lose less normally go back watch entire definitely worth great series good fi best difficult predict happen next turns story often leave wondering decided introduce plot think show one see get fact use frack euphemism word see humor burton would say take word see excellent sorry first television full kept wanting find last series little dark seem relevant next episode connection sometimes good writing sometimes disjointed whole trip earth lots expectation still part consistent done well acting good definitely worth watching interesting light esoteric influence beginning season really strong towards end go many likely result writer strike year also felt like could kept going series happen way felt really really rushed end unfortunately fiancee series would liking ending thought ending pretty overall amazing show though sorry see go like little much drama dragged make full season still good show plenty action ending lame though best show ever perhaps end little none less season good plot nice execution bit unexpected outcome recommend see know came like state huge satisfaction gratitude discover recent people finally rating think show recently lots people used express outrage absolutely share scandalous rip universal chose put upon us coincidentally dividing final season hugely popular show two halves added cost steadily one third expensive price season admit actually final claim emotional rather lucid assessment still pretty sure basic fact two halves cost one previous still year came thing suspect majority like take association value content another rating price value money glad since really mad read enough see one see people drastically rating b g final season thought show time star two halves thing absurd rating specify low express thanks everyone frustration marketing hold stuck thought show kind upset told razor also included set ended another dealer couple ago seen let tell experience x riveting watching little channel though mystical stuff goes head good still enjoy special effects top notch depth keep interesting even good human time let get best often spectacular sometimes tragic gritty drama best space writing smart last season disappoint either story times thin fantasy situation force situation times follow going like read book get without book overall watching whole series though could better would day ask could go either way guess watch see going watch start beginning chance understand going show season series dark also best writing love remember watching first religion lot final first think great story telling see coming looking forward future everyone good looking nice bonus collected set series well time come back watch great show pretty deep dark desperate plot line full courageous people completely flawed still good rough sort way series full plot turns keep interested wondering end story get bit slow times entertaining would given action epic conclusion epic series continued wonderful trek sorry trek reference ending likely controversial amongst community still work albeit somewhat mixed finale deny overall series binge watching first season moment feared saga would end ending last mind think season finished series way wrapped story right st century television wasteland largely forgettable reality dime dozen talk one worth watching show great higher marketing department apparently realize th would make sense release season rather really series son right better old battle star recommend highly got wasnt love series good nothing sick e god machine whole series ancient theatrical device taken literal yet many ways subtle level meaning god machine god situation blunt device ancient stage would crane save day however use supernatural solve resolve away series although done well believability still old mechanism series said written pro god deist although propagandist metaphorical archetypal e g near perfect new testament well whole exodus land theme remiss also mention performance art certain later pretty well done albeit quite obvious said still good series worth watching would recommend fi fan felt finish series good enough keep attention various love series feeling bit broke set complete season money grab satisfying even knowing loose matter story message entertaining manner felt contented peace even story made crazy frustration masterful beautiful one best entire series great show never ended comes pretty good glade offer show episode great set making one wonder watched episode well wait week somewhat less exciting quorum think still reminder fleet trying maintain democracy extraordinary war season really need see watch season continuation narrative search earth many really feel wildly diverting former crazy season particularly major personality becomes whiny naggy obsessive seer earth prove inner psyche never come across touch type character religious conversion completely different buy maybe supposed change make absolute sense however end group back usual aggressive pilot jock self smarmy semi fraudulent horn dog true self well watch already trip r r great deal first half final season season hence plan selling second half full price course sure review come season four whole series season long downhill slide series strong watched far worth watching anyway watching series period days clear view arc show wonderful show sorry able watch first came experience season four like dear illness seriously sad much prefer lee admiral laura like less course season series interest much amazing never character arc fully last season found difficult attached thank god good acting show main completely believable yes fully pretty much sure actress good actress one could like shallow bright ever seen show love develop time would real world get see show season four love man father son believable ever seen wish could ended seen last four yet dont know sure could found happiness strong friendship physical attraction love brother sister rivalry stuff thrown completely like real world people life long time sure mean know something deep love probably either great actor actor warm loving heart centered guy love well warmth quiet without much ego chief fully character guess would say shipping speak like said watched pretty much man feel like real people watching something sorry someone feel gut look face miss chief admiral president certainly lee much believable take heart lost season four still looking good fi movie well done great catching series seen series pretty good skeptical first husband watch end liking quite bit interesting plot good favorite die wasteful ways still strong season last sadly almost gave show season thought bad simply inferior amazing anyway people sometimes tend demand single episode show master piece film making simply possible shooting writing schedule frenetic exposed threat show usually try best course sometimes sloppy lazy writing think rule season sometimes got cheap matrix sequel style philosophy simply unpleasant weak actress character obnoxious sometimes superior season season handle seeing military cadre basically morals ethics willing die cause look future man becoming humanlike war ongoing religion science like program start want stop want watch many row get conclusion prime made adventure easy interesting intelligent entertaining series finally coming end one caught game last think series going go admiral president life know leaves entire series adventure current political atmosphere fi journey genre best fun house mirror us view distorted perspective mood quite film noir definition found following film noir often essentially pessimistic noir characteristic tell people trapped unwanted general cause responsible striving random uncaring fate frequently seen world inherently corrupt classic film noir associated many social landscape era thought pretty good account another film noir factor take account general moral ambiguity taking moral high ground seem open weighing ethical decision becoming ethos different bad lifelong instant person entity turns toaster may foolish question wonder earth found real going miss show acting writing music tribute every person connected fine series finished series fi watching really went four two season one best season four people sending disappointed final ending thought excellent best line entire series enough live something live give rating item show great even though whole god thing getting little hokey feel purchase razor included option whatsoever good money razor came getting wish option price agree everyone else whole stuff give us whole thing otherwise amazing show great bonus appreciate writing eye candy see ending last show last disc great watch surround sound well going thing please make us buy may already least give us option season remake bang whimper first episode miraculous return fleet quickly see murder growing friendship balter admission guilt destruction growing cult like status final episode whimper fleet earth discover nuclear war taken together season probably major quite testimony along way several great space several key illicit relationship six model great experience drama comedy suspense action fantasy great series great series well mythology religion history first voyage earth spread monotheism within fleet led former farmer poor colony ashamed past heritage second growing disenchantment leadership fleet president admiral together trek desert gradual conversion empire paganism return resurrection definition word guidance fleet earth importantly union human surround told quite show probably year best series fact ghost sort however clearly one best seen happy chappy time faithfully brought series thus far razor included set already brought get complete series please buy series watch free air v hire tell cut fluff perhaps even actual previous episode review actual series yep early series action though weepy eyed hippy could without religious rubbish particularly simply good time maybe could finish completely note sound poor hard hear whispering anyway picked series frankly disappointed apart balter reasonably good pace set want give away much certainly recommend purchase series maybe second hand unless prepared reduce price bit already razor stage set could exciting finish question remains carry go way many seem get squishy flag waving original story better less complicated season good go overboard drama good show could still would watch well reason split season series well written thought better original highly serial pretty good point interesting philosophical human society could see prime instant video smart attractor good connection speed signal tumultuous th season finale dramatic ending want watch great imagination well fantastic ray set movie razor addition complete season couple ray made upgrade especially worth unfortunately missing face enemy unacceptable basically ten combine together form running time almost entire episode explain evolution character important arc main series answer question already raised series regarding unheard whisper although writing face enemy kind batty missing best mean want release japan really excuse far ending goes care feel like made keep series still great cry solid recommendation wish universal home video would get act together overseas always previous high quality less end though would rate first second highest ending bit disappointing bit rushed ride amazing season best story season journey end worth ride audio video quality amazing well season good ready finalize series overall four season excellent star rank must start saying far best show television ever bomb drop us end season still inside head desperately looking forward conclusion series disappointed show coming end happy see show go drag see last two x character development along engaging top notch special effects make best thing ever come idiot box reason give universal insist right next season want refresh memory season days cram previous bought every iteration series day came year sick tired dragging high definition great waiting transfer exist catching past year wait release version series right oh yeah greed tough times justify season right knowing eventually ray version thus buy done game awesome five star show review show whine format release season hope end format getting season completely ray order ray option available cable watch waiting still pretty great despite high sound pretty good well less commentary sitting home alone drinking scotch smoking know good bad wife ways magical enjoying able watch one segment another wait next week see lot live season season mostly exception find distraction tight flow series logical real come last two however must edge season good however acting seem get better time th season quite still great post exploration social question liberty security balance start finish angel death role earth ten go let ride bullet first aware darkly series back taken finish watching worth wait end series ultimately satisfying though entirely happy way puzzling troubling dangling loose got tied though explicitly science program end series slide mystical theological fantasy season much keeping rest series good many quite tedious understand series much praise constantly depressed endlessly babbling happy many people enjoy show best wonderful relentless showcase despondency bit much watching come every episode alcohol cheap character development guess us forgive continuity arbitrary tonal every minute show rather tell would taken longer might longer sure leading fun watching episode waiting next surprise shout factory excellent release series next best would go become main trilogy highly series slide downhill bit monster like cross squid silver banana seriously min film stock footage scanning memory watching footage first two anyway usual absolutely stunning presentation way better alpha video early one thing found bit disappointing lack disc first two great audio commentary film couple first disc color package get publicity pretty cool dubs really think special feature whatever another thing disappointed booklet came anatomy profile bought thinking would wrong monster still look internal body unfortunately screen print small usually read even anatomy one could read clearly despite lack still glad way meant seen great buy diehard thanks shout review shout factory double feature factory decided pair series rest series could later many good feel might sell well sold separately considered inferior series film would maybe maybe maybe shout factory said maybe thinking might understandable however think die hard would buy anyway causal passing like say lot us bought celebrity video well media another reason could save time money idea let wait long single time well saving disc one expect quality rest shout factory series whatever reasoning idea ala midnight movie double bad dont care long quality seen first mention far better movie aka fighting giant bat like monster laser slice people wild movie lots fighting pretty bloody movie pink blood around answer toho would guess many best film least top non stop monster giant squid monster time around one get spaceship like connected film quite bit stock footage previous little lackluster movie series decline lot lack budget last super monster pretty much stunk really atrocious dubbing sandy frank version unless video goofy effects really acting quite well also available later super monster clean reviewer happy getting language well version sandy frank language one used k version well original version language language version shout factory roger k say shout lot us hope continue specific fondness difficult time explaining someone feel way giant toothy turtle pity sake cool also like battery villain defeat designed double feature must stop rampage giant bat like creature bloated octopus two first film better offering plot highway project village deal road move second feature definitely younger audience lead two fleet flying around giant bumble bee contraption graphic hideous sequence dark room lit creepy easily best scene movie losing part movie battle previous story well thought evident whole really terrible worse could cute definitely keeper collection family friendly like movie lord name vain sexual content monster monster violence might scary smaller purple monster blood good monster main aspect movie also highly recommend double feature shout factory setup menu choose audio dub clean version use like hell movie movie like man g slowly silent really make clear think might saying word sense word audio cut audio audio although one also recommend family friendly movie brave like st original movie black white fight anyone movie lot human human ugly violence lot shown movie miss terrible bad dark underwater lighting whole movie think used lord name vain remember super monster terrible clips previous girl wearing skimpy bikini whole trilogy much thanks amazing service got along double feature yesterday day release date going hit miss people happen like found little dull really picture quality shout factory release first time watched quite awhile fact last time watched tape late last time watched bootleg tape gotten like hope getting believe clean sharp picture another bonus two feature dubbing well sandy frank dubbing destroy dubb line switched version though going thankfully problem five another issue dubb track audio kept getting assume switching language back minor problem release star rating actually rate reason get perfect five minor audio problem want great monster action look double feature rest shout factory decided go way double feature worked well next two series video audio quality great dubs perfect sufficient fact included great topic shout interestingly chose include dubs case dub missing dub audio version light publicity gallery film theatrical resulting star rating notable first ever official us home video release aka destroy year organization bootleg version film questionable timing far greater audio video quality highly recommend fan crazy movie crazy day funny movie crazy get house slumber party gorgeous cool comedy starring college get trouble finding place live abandoned apartment building dating definitely star entertaining although somewhat inconsistent sex comedy character first scene dominated every scene part absolutely accent spoke overall extremely likable performance say least natural comedy sex hilarious times quite opposite overly vulgar hope nobody mistake watching movie stick ur watch alone overall definitely worth watch comedy course initially course several discovered fan think guy act check guru like best real life earth fun loving persona comes someone fame like cool cat accordingly chasing one film seen several times page film bunty another con artist time smooth professional life late seeing gorgeous gotten serious enough marriage rub girl oblivious shady side crook promptly six elapse plot thickening still haplessly chasing telling lie begging forgiveness avail meanwhile rather obtuse small time grifter several run wing teach conning trade recurring dizziness disorientation cause go medical exam told brain tumor three live aiming live left first one last caper pull good film sneaky ending per usual cinema pay overanalyze plot sit back flow pretty interesting thought credit card scam neatly done story humorous occasional snappy one get silly main culprit slapstick sequence everyone u experienced never seen flick watching one man alive imagine bemusement sudden middle plot musical number broke four musical happen slick worthy rhythmic head bobbing two title song right right actually singing hip hop flavored track rohan second directional gig also second collaboration pal naa glossy product good location use beautiful rohan credible cool customer although guess could argue could less cool emotionally present mind nana narcissistic villain piece deep bite intense involved feel anyone serious jeopardy movie entertaining diversion something pleasantly away two plus actually short flick ending different really want know film chose b c movie featured extremely fine fan b starring watch rapping right right great voice like better honey singh great film watch fortunate meet cast movie along crew extra inside police station thought movie well put together director movie wilderness mystery fun adventure enjoy film certainly recommend show number ago interest first came rerun three year old year love show childhood three constantly deal smart older like bully funny show watching old grew fun watch two bright young set purchase memorabilia business back home find instead video evidence alien autopsy taken combat photographer site new two return find investment completely transportation leaving nothing enormous debt shifty financier desperate attempt save ray come idea recreate footage ray seen show backer could never anticipate film reaction elaborate hoax complete success repaying loan full ray set assume small screening film order make little extra money result would one century one day alien autopsy television ant eccentric team behind hoax hire documentary help retell amazing tale bill doubtful man behind camera slowly drawn story along disbelieving audience thing incredible alien footage duo crazy journey around world version film making process ant pull splendidly straight absurdity true bring humor naturally writer also worked directly alongside real life ray ensure authenticity film obviously exaggerated comic effect overall spirit story remains intact alien autopsy always ray original footage back real resulting film accurate material director turned story smart witty highly entertaining sure appeal world carl like horror overall movie funny entertaining amusing complete insanity surrounding true story based true story ray footage alien autopsy film surely huge hit well ant however non enjoy film popularity based lead whether would able see ray rather cheeky personality skepticism also given whether ant lost punitive talent acting since early drama thankfully criticism proven unfounded ant spectacularly first feature film real life friendship two working side side provided chemistry lead best real life unfamiliar ant worry perception ray knowledge simply able enjoy well done movie ray footage keen viewer notice plot filled plot enough break tone film oddly suspenseful frothy ride lighting coloring cinematography reminiscent wright dry humor classic wit feel home bill harry dean extra alternate opening scene commentary director making purchase well worth mention us silver screen five ago likely difficult find rental video best movie world certainly well executed entertaining telling enigmatic slice united history remember back mid short grainy black white film widely shown actual autopsy alien life form u government crash millions lot discussion pro con authenticity film outrageous preposterousness many legitimacy place except actual source film bit shady alien autopsy wild quirky retelling true regarding origin amazing footage ray ant discover footage suddenly thrown intense media scrutiny realize even bigger problem allegedly based true bizarre frequently hilarious story two unlikely become discovery evidence extraterrestrial life bill harry dean join cast strange comic mystery thriller world ways one one best little seen long long time based true story ray ant responsible footage supposed alien autopsy shown around world ray seen original footage alien autopsy film corrupted ray help recreate footage satisfy loan shark get hand ray taste fame fortune outrageous farce plenty humor wit unfortunately hard understand great deal main saying accent unfamiliar vernacular yet plot hold easy follow bill director documentary science fiction remember original em fact fiction em get kick retelling fictitious documentary even unfamiliar story find humor outrageous highly entertaining watched perfect night court complaint sold separately would nice able buy group one money perfect one best ever season episode badly anyplace spend party spite fact larry already said welcome true meaning spirit normally would given great episode one favorite however extremely disappointed episode minute probably came showing short version three cut end understand though like ran syndication due time added reason cannot offer original uncut sale buy individual episode list remember actually item rather listed separately price third item list know free episode play unbox application however found folder able double click media player version fine know would though since one free might less copy protection fun see looney cartoon long time nice story even forced something good little scary times old watch going bed given price steep relatively old cartoon favorite growing excited able bring magic home holiday favorite household along carol mouse great wanting something light funny watch back childhood great way introduce recently watching catch later cast season always exciting one constant season last season northwestern sig always seem come top great episode drama suspense happy ending leave shaken yet relieved one might one watch edge seat take turns laughing crying watch appreciative sea food eat little graphic sometimes blood gore part fun see one boat team may play another boat team total addict show first season bought watching tonight believe theme song backed twice sure love theme song ride steel horse music similar real bummer doubt invest anyone know absolute reason get five soon watching season prime one night next night per episode discovery watch list assume due contract discovery notice would nice cost prime increasing well episode finish season shame show awesome really hooked prime well get money shipping would paying afford cost per show much worth great show exciting eye opening really feel good could without item received wording cover instead saying season top said volume found misleading anyone item note season one la ink volume one season one fun going back beginning kat watching build brand famous watch show well ink research really like reality la scene however people least interesting palatable art hand amazing talented group best work seen great season great focus people tattoo behind excellent work drawn life however could leave drama since drama young tat shop money worth often watch b rated film sailing footage case often stage hard make realistic film storm bathtub interest father war read operation typical footage representative usual reality false sense better really lived film army side though navy lot shown go type concrete homeless lady live chicken site see good film footage well could almost feel like foot true story hard fought battle took win sobering reminder cost war aftermath release date something picked copy season afternoon local music movie store see originally new show lost lot spark genuine movie came good condition price right watching next door although season entertaining went nights party also traveled good however order great condition like series however thing need spice something party every episode nudity never hurt anyone lot fun watch good clean fun part everyone many enjoy watching paranormal state great show nothing compare close love fact college like way approach history place investigating problem always seem run kind demon type spirit almost still great show watch paranormal state actually pretty show reality style v main investigator host lack better word group fellow state investigate interesting usually private really find hard explain away say extremely interested actually helping people affected paranormal include brief follow end greatly fan ghost may recognize outside occasionally demonologist warren episode famous demonologist investigator world paranormal small one think little dramatic voice sometimes seem bit unprofessional mostly due fact people around old seem concept yet speak clearly maintain eye contact seem really effectively overall really good show catholic school graduate love movie one non violent see long time husband must see catholic use excuse war justify horrific human think documentary good everyone see try understand many insane leader insane think accused ever sure watched death hanging least good attempt assassinate even unfortunately extremism dangerous country believe film chronicle must produced soviet union soviet viewpoint war narrator film many documentary produced one another perspective viewpoint russia inhumane army recommend watching chronicle interest understanding historical significance war crime movie interesting difficult watch must forget horrible done horrific concentration elsewhere good history lessen history school got attention look research invasion one violent action great risk think justice also part one documentary vivid account us invasion narration reasonably accurate well production date public typical propaganda production certainly worth time want quick overview serious pacific theater war definitely interesting part two well well view return us two half native population terror torture idyllic island nightmare intended become settlement listen survivor original military garrison story interesting reasonably accurate military history intended propaganda documentary public black white footage two part documentary worth prime instant video watching obvious propaganda film dead government call wake call follow segment invasion personal hospital war know people lost regain island liberation day fi beach landing always controversy documentary landing good documentary love series love henry probably would original one ass royal house days great place think better cut think another wife still fun fan wish detailed job henry v production name tape film wife given play aware older genre one much entertainment friendly latter produced like film rather traditional play version extremely obvious one modern take either works little better average viewer far accuracy goes one bad take account era made historical information time henry absolutely unsurpassed ability emulate create henry persona leaving viewer make choice whether truly heartless cad simply beyond belief made nice little niche henry historical physical present still bad choice audience wise would recommend film anyone interested history looking something akin historical fiction might want look elsewhere pro wife given moment honest moment even look wife little differently might past jane usually lack information lovely inaccuracy death give henry choice childbirth save jane baby reality nine days infection stemming birth generally fan jane believe doe eyed innocence peddling particularly given penchant sitting henry lap caught around soon former wife generally eye storm henry proverbial hurricane matrimony hard fault going jane martyr perception kitty henry fifth bride young cousin given semblance personality vapidness result age sheer ignorance wonderful see instead dim witted gold digger usually see whether truly vapid remains annals history since popular opinion type least gave good reason parr henry last wife shown smart sassy woman stunningly impressive scene marriage henry momentarily sympathetic admirable reason incredibly charismatic woman often b c age often old unattractive difficult woman nothing could truth moment sun production always translate well onto format think type film anyone bit knowledge easily pick made many ago information available necessarily available likewise towards woman liberation sexual freedom remain firmly rooted medieval still era film made simply film reason may make poor choice someone really interested henry thirsty whatever get however given kudos trying maintain truth history often twisted reworked make good entertainment sometimes great disservice people girl prime example room creativity completely semblance truth order sell credit anyone assure henry interesting truth anything made however works got encourage delve history give opening chapter history new generation one last thing better value history version nine nearly price beautiful scenery interesting information thing needs pronunciation little work found interesting awkward actually added video learned russia want take trip user left cold boo boo edit works finally knocking one star leaving us long good reason daughter watching highly involved great movie attention like except cost better rented argo get watch system work however still got blank showing film least grand daughter got watch bunny great back day cute son better quality picture giving four instead five memory correctly long haired hare segment small portion cake addition posting letter waiting response still classic amusing effort nancy perfecting role clearly evident applaud effort love san many much information one program definitely plan watch agreeable show watch eating dinner stone pretty shrubbery rose look bit history old mild pleasant little oases color scent nothing exciting nothing alarming either always garden like interesting see us love older cartoon grew watching something old shell something like per show graded collection collection porky pig porky dough least shown made black white color reason previous reviewer may confused resulting loss animation quality given credit original although agree fact noted black white porky later remade color dough classic porky big feat also included daffy duck pair try sneak hotel without paying bill special cameo appearance end cartoon black white shown watching marathon first time ever show really good show show could easily someone nature like voice lead explaining voice killing even worse knowing sound bland grating time also something like smile little otherwise pretty hot general show entertaining worth watching love love love series unfortunately many least great one place order downside one wide format works portable player hooked picture even would still purchase bit like switch feather refreshing narrator sucker mess security point laser burn detect optical remove digital sure true fi trigger happy dodge charger car nice touch burn notice took grow felt pilot pretty weak overlong really dragged big fan though decided continue watching least couple relief took show another couple find groove subtle actor take little get used deadpan delivery burned spy get though everything overall story arc show quest discover burned fired job spy episode story traditional approach episodic television every week something new search little great job series make much satisfying crew people week week reason burn notice focus always great series great summer program plenty action humor wit network program overly violent sexual full bad language around solid first season enjoyable show series great excellent writing cast sure production f x wonderful well cast truly show work chemistry worth watching alone always spy type series interesting approach agent retired given burn notice still quite young capable main focus add fact family trying find work mostly detective nature good mix action comedy highly recommend especially fan series like magnum pi though burn notice bit magnum pi still see similarity help make series handsome hero good dramatic interesting often resourceful beautiful funny comedy thrown right times think perfect role recall saw first season good role seen several prior like role designed swear role burn notice designed miss best new series bet ordered box mediocre excellent little disappointed price quite reasonable highly recommend series give thanks channel intelligence properly support unlike major often fail good series love series got used really cheap bought even though see broadcast premise intelligence need dispense field operative serve burn notice burn notice essentially employment within agency operative become unreliable effectively ending career veteran field operative mysterious burn notice legendary career abrupt end carrying job narrowly life effectively surveillance home town cut intelligence community burn notice effectively one persona non community bank account frozen without penny name work trouble shooter money launch investigation surrounding dismissal long new role conflict criminal underbelly drug prostitution grudge bear old life manner low life every trick tradecraft manual take watch series fiendishly entertaining action amusing whip smart perfectly cast character comes across like cross special used car salesman stand comedian way goes tackling various cross path probably best martial thought military art thirty six ancient ever see best style suffice say clever stuff indeed throw mix excellent support cast mildly deranged former paramilitary ex thankfully dodgy accent pilot yes evil dead fame paunchy sun semi alcoholic former navy seal part time gigolo fame deeply irritating mother recipe cracking series like mixture equalizer vice routinely along speed pace dialogue inventiveness thriller also unpretentiously enjoyable refreshing change cryptic portentous like lost last five ever know burn engine block coffee duct tape better weapon gun taking irritating rich boy drug dealer show show much glad future use different show original chemistry main excellent snappy juicy wait following come seen show worth taking flyer well want perfect great take action drama bikini bad people said original long done well good burn notice well made entertainment watchable people sense humor story fired spy lethal high well episodic various violent make living trying find sense burn notice story ex watchable funny best friend making one family always though without real family addition also real family annoying mother irresponsible brother whose character actually develop time acting appropriately deadpan lead actor good even better much touching evil appropriately top various two story set used confined one note good actress could much still winner light entertainment mode light better reality unfortunately action mystery suspense popular days take form grim police guess lot people like wife news news reality general provide enough grimness fill daily needs mystery humor flair even romance like magnum pi moonlighting moon buddy faro seeing awful almost good acapulco heat recent show bill follow regularly monk read encouraging burn notice like monk network checked via bingo clever plenty wry self hero gorgeous dangerous love interest semi goofy color danger tropical heat beach love like suspense smile burn notice show great show like bond spy perfect series full action comedy twisted romance action believable bought dad father day absolutely plus go wrong one entertaining action paced bit low credibility landscape definite plus one best new seen since kept glued screen till end people would sadly people never found good way hide gun bathing suit spy getting burn notice officially unreliable covert brethren longer cloak dagger community always good rubbing people wrong way international spy touching evil deal terrorist burn notice cell phone barely life somehow frozen nil former keeping far far away lay low man got make living somehow becomes makeshift private investigator even criminal objective remains finding hard going mysteriously one tell anything meanwhile various every move something going dig show network burn notice proved one pleasant seen lot work still quickly becoming fan wry deadpan charm show like stuff churning underneath character self exterior exactly distant persona appreciate providing quotable done voice narration device us also us privy cynical inner well giving us frequently amusing first hand advice various stuff exactly life rather tutorial espionage breaking know cool stuff example fighting want break little look bathroom plenty hard make stupid better fight duct tape duck tape smart setting traps good trap scare people curious dude often wry make day someone put together quotation book shell chemistry beautiful head supporting cast good two engaging tiny circle trust three sexy fiery ex gorgeous brit fi ex agent mayhem violence need tactical support sure sure slovenly sam axe casually let go long time buddy semi retired spy sam vice irritating dragon mother madeline champion emotional blackmailer effective channeling everybody character brilliant burn notice first season suspense action humor rocky romance even could without family stuff well done lighthearted spy crime drama element sting left craving might found breakout role glib capable emotionally detached certainly compelling character enjoy special training satisfyingly one teeming along slow progress made whole burn notice arc writing smart production terrific hurt burn notice sun visually arresting give show style definitely anything might beg differ hey bring season much young aware young nudity yet mature told rarely get involved anything recruiting information myriad covered series entertain ways even inform technique main character dialogue watcher great especially explaining one best genre hope going many watching series several see whole story burn notice pleasant beach read visual loosely espionage somewhat satirical combination chemistry three principal spicy mellow burn notice clever witty laid back entertaining thriller spy middle top secret mission getting burned fired without warning left fend later stuck frozen make meet basically odd sort private detective reason burned perfect role crush since scent woman series mention goofy series humour different level finale season box set part one seamless explosive action punch hardly wait season show easy problem watch burn notice psych lost big bang theory animated spectacular spider man absolute best show however bit main say want work entertainment industry writer maybe director find behind commentary interesting read cast crew commentary every episode like dream cast fail mention entire episode entire cast certain certain episode entire episode buy regret comedy drama drama comedy dramatic use sarcastic comedy common sense make laugh first season burn notice background set upcoming nearly series following closer watch show everyone series except main character later series give personable likable appearance stiff stone faced character first see one favorite series waiting list season sam make show love show watch wished would show interest even though subtle series one best series lose sam even series plenty action enough humor keep attention whole spy spy thing course good guy time spent helping poor sap mess gotten watching solely huge fan give anything least one shot ended show good always acting show finally found perfect role showcase slightly presence acting style role click way best entertainment seen commercial good long would something dark comedy humor funny international terrorism somehow wry funny right major minor surprisingly well writing solid plot week overall burn notice one keep involved interested enough watched convinced buy season real weak spot giving five acting somehow fault writing think character given much chance screen time everyone else actress completely role least yet hope grow surprise season terrible anything far hopeless enough stop enjoying show overall price good well worth great quality cost effective got time one word would whole process trust spy good least one day middle covert mission burned us fired barely escape life wakes money idea worse yet home town dealing mother seen determined figure get back work slowly puzzle odd private investigator needs back often ex smuggler ex friend former agent sam together three take plenty hard deal sons drug arms meanwhile piecing together burned gripping explosive season finale great show originally based buzz gave chance glad show fix suspense action humor perfect dose sam excellent chemistry better narration fun yes show action every episode leaves edge seat trying figure deal problem lots shooting show love spy admit show took fully appreciate usually find first many everyone storytelling really looking forward start second season show get set produce received time good shape glad prime show awesome looking good start fun exciting show work spy screen chemistry hot great done make show great first season went wait see store next season ordered happy purchase would recommend anyone burn notice bought gift wit see received hopefully love series cant wait see next season really clever thing burn notice fairly stock private eye show stock sexy unreliable stud pi even hot car entirely new spy background tool box every show main guy spy solve p clever uneven rating c always worth watching use teaching school classes long complete dramatic set slick well done like show course great setting glamorous sexy love thing like swipe across screen shown version hear swipe nothing took flyer show big fan entertainment weekly show definitely hidden gem likable writing quite good pick oh damned sexy ay spy detective show clever strong sharp writing real pleasure watch watching burn notice third season first season great get know little show got lot fun enjoy show never bought season show glad bought enjoy much like show entertaining fresh new crime fighting worth money looking forward next season availability husband really enjoy show bought dad whole family really mid older think best version show main character former spy fired burned reduced helping wronged hurt way order restore justice earn living main character resourceful entertaining unpredictable surrounded ex former agent friend nagging mother add dimension humor show works far watch first episode bought husband show find season one found used know first season little bit budget conscious pic quality badly dont know b c first used b c idea recommend getting ray first episode goes quality especially outdoor huge difference almost want tor return let husband judge wont get love burn notice watching around season saw pilot week finish watching first season bought went watch pilot friend find several cut airing extended pilot extended pilot available bit disappointed season still worth finished watching season finale officially bummed watch really watch going work loud many times cast entertaining couple people sounding accent cover guess still cover burn notice almost everything could want spy flick culture sophistication beautiful woman devious together quite nicely thing missing done one hold series enjoy burn notice previous disappointed viewer ill fated series smith happy stumble upon smart series like burn notice two series share common ground like good good casting engaging problem smith see series bad continually beat politically correct thus needs removed landscape really happy see series like burn notice appear scene cool enjoy series wish new came often cartoon network good story line season two ball rolling everything getting good fan must see like story quite interesting funny keep getting hooked kind like anime soap tip would watch someone else pace wish use word much would watch oh well enjoy dramatic fun quirky though drag bit tiresome want review like jay leno like might really good workout hard walk outside lot rain snow hot cold workout heaven sent definitely recommend another quality workout yes corny upbeat workout simple low impact still effective love sweat much little want work good bit disappointed realize work work necessary made work sweat good someone active getting active realize much could sweat almost good forty minute workout sweet person nice listen screaming sincere wanting good health overly intense workout definitely good beginner supplement intense someone regarding high impact injury easing back normal fitness routine workout gave enough good sweat without would recommend big fan recently several walking highly disappointed listen beat music walk beat however one hear beat audio poorly done thought would give another try glad workout goes quickly individual exercise dislike counter telling much time finished seem long timer mile mile benefit weight make routine difficult dont really need use instead simple easy adjustment period love basic even toddler walk workout pretty easy even great shape however still get heart rate nice long extended warm good work feeling energetic great weather outside frightful found useful days walk outdoors like always available though streaming used rotation leader would thing could get winter reasonable shape spring used workout days something light great workout however much loud music cool try relax body mind however hear loud voice annoying good basic walking exercise done limited amount space complaint majority pretty much identical work good found good beginner intermediate work found must say glad rented video hard time getting video really set hair dress whew rough know would use excuse work good workout care much odd almost every second music could plus side video normal everyday super fit never break sweat wearing perfect modern set like one mile would great buy else succumb peace calm mediation quiet thoughtful pause day refocus find source unrest motivate mind keep sleep bay piece art cloud take anywhere kindle computer available know calm elusive short moment recenter face day anew beginning perfect meditation nice helpful considering new meditation new yoga perhaps video video great good pace music complaint breathing hard understand breath groin exhale front body exercise show rodney yee sitting still imagine breathing somehow important beginner understand actually yoga kindle since available quality good seen yoga done sitting helpful day reason give five rodney speak meditation part realize meditation silence would helpful little well worth new meditation rodney yee great ago best shape family amazed change self lady leisure hear half hour tae bo times week know hour long tae bo sessions ugh often life got bit hectic fell routine ultimately put good part weight back decided fight fight went different direction use step yoga whatever lost life pussyfooting around workout actually working avail decided stop nonsense go back worked long since broken rendering old tae bo useless idea new ultimately found figured really go wrong even decided well month back half hour times week say want billy husband certainly fan coming back yoga casually ago first level workout far pretty intense beginner aware learning curve stick great video grow time yoga video travel often business hard yet simple feel effective work whether done session sometimes even give video minute confused thought waste time full instructor showing light display going another full talking yoga actually thought voiceless video first trying video long start time slow assume intended warm good overall beginner intermediate found video fairly difficult went several something lot workout made sweat although hold long give much different look yoga would consider video difficult beginner reason fact holding long time extremely difficult getting point able complete video without falling require work would say video best used work necessarily good every day yoga workout video probably throw video mix use week work workout recently prime always worked get back shape quickly love ana caban positive attitude know portion repetitive portion really want anything mentally complicated heart rate going enough would given video another reviewer offer workout know someone video would major disadvantage generally would recommend introduction think better intermediate part great extremely boring still heart rate sweat recommend watch video practice order get idea asana pose like sequence complement video instructional book get depth explanation practice asana modification yoga definitive step step guide dynamic yoga attend style yoga class led class entire primary series least twice month may get personal instruction help people lot time money regular yoga practice going solitary beginner good instructional book great value try make yoga class even find led class entire primary series least twice month keep mind class getting instruction help teach also community energy personally think sound multiple people breathing harmonious unison exhilarating taken beginning practice recommend anyone generally considered presumably suitable intermediate yoga new might find title misleading however since around half first series though standing different may end first half many power yoga style classes may yoga classes able able however want something cue home practice presumably want something whole first series find something like relatively experienced preferably taught find contain whole series goes think great loss leave later works various body also leaves far relaxed peaceful although still demanding still make heart pound floor really however encourage relative different first yoga classes generally tend contain sun plus standing first classes surprisingly hard sympathize however would encourage hard expect able way instructor class know get small friend mine told easier every practice sure always true certainly get easier overall time certainly seen many huge improvement various people many much older recently returned yoga child finding little free time six beginner practice really stepped complete recommend highly wonderful beginner tape basic yoga set lovely background vocal monotone thing like yoga nicely instructor beautiful part follow along level day different practice flexibility ability follow along folded help achieve flexibility practice recommend video seeking good basic yoga sequence start arthritic woman able follow along right away amazing short week daily practice yoga often found less average class could helpful done say want try different form yoga remember pose difficult type yoga alright modify approach gain strength may difficult hand wrist shoulder however really enjoy program clearness instructor worth price good episode try keep guessing end knew would happen turned way striking resemblance young still air yoga unsure yoga even like video perfect never fan one tree hill watching season five first four pretty immature inconsistent actually every episode future season instead making gang go college decided teens graduated high school see used fill mostly show stays true present time chad burton probably complicated cliff hanger definitely worth watching whole season highly recommend almost flawless season enjoy since watching one tree hill must say wow great series man never really watched drama series watch action thriller comedy one tree hill really got got way series ever done glad watched season alone laughing crying yelling big fan hope day find peace harmony series get drama something even tho get still manage make sit wait something happen end season really tought actually made nothing distance time brook triangle getting closure happy watching season everything complete mess parted marry bus wait see took hard went home relationship woman even bigger fan like must one charismatic woman season felt like new new era lots never ending drama think starting go great goes wrong old almost gone new taken done actually season something unexpected really hope someday really get relationship actually works luck think time need end good something one tree hill far tho love series already watched best bet buy sale people already know series much better season give glad stuck one season endless teen drama angst getting old forward showing adult adult watching first place character son got one talented child seen stole every seen sometimes look cute little face little one made believable opinion moral center show one would begin making decision heading destructive path would remind grown time childish behavior relationship wonderful moving moving moment whole season back soap box derby afraid compete afraid must face saying sweet see love see dan still picture even spent first half season prison season ended cliff hanger dan truthfully hope kill time near death getting old like gave instead relationship deb sick first sick deb general evolution character last good went working mother let suffocating husband walk pathetic drug addict habit son slut sons best friend relationship rebuilt opinion know better think grown enough realize could cost friendship going bring back one far talented kelly likable much character beautiful example single mother saw one episode also happy seem bent reviving peyton match relationship dead stay way someone like warm understanding cry drop hat spend half season feeling sorry like peyton tired peyton wish would written show long time ago pathetic long watch someone self pity begin lose respect begin hate serious need overall great season worth look everyone fan family opinion family making season left counting days season season ended lot better thought would first fast forwarding thought risk something show done worked many college nice see grow older experience life really although wiser nice see done still yet wanting go fan season disappoint season probably good still enjoyable probably best way continue season ending good special cover good hi bought one tree hill season language bought item sure version say thank advance response best season cant wait season new viewer tree hill much teen drama show great heart especially episode titled tonight know performance burton exceptional far best episode season fifth season also better fourth actually get play character resemble age group though still like overall cast show sixth season hopefully many one try work box slightly bent one corner hearing show took substantial jump future concerned course want ending college either dumb unrealistic bit awkward writing acting first felt show took strong direction addition cast cute still love glad kept consistent rocky think made transition well know college kill show glad found way bypass way long cause even season one best far mature long stand mean besides still plain dan please get rid enough enough plus really top effects slow heartbreaking music background please scene everybody song nice plus seem sing well add even annoying want slap face even supposed one good useless annoying supposed tree hill idol actually sing without annoying stuff bought sorry say talented plus make early good cute talented perfect match mouth perfect maybe perfect made part always expect nice point hot nanny convincing performance low really important get done many life mid late realistic really good season beside numerous watch anyway without missing little bit one complain tear us apart come ride hear instead song still cost problem forgetting series make want move country live land wish type program may everyone e cup tea watching experiment small farm straight man delightful pretty cool movie night action comedy else could ask looking scintillating intellectually show rock love season cup tea want feed primal watch group emotional brett included classification engage absurd luck total trash filled ridiculous drama leave laughing times find titillating somewhat tame season remains insane nonetheless point clarification poison huge hairband album open say going platinum never really music brett certainly rock star said sense would subject house full emotionally unstable ravenous win heart washed narcissistic hair band star happy resulting chaos entertaining couple regarding instant video picture high quality quite evident plasma also computer display show certainly wife self feminist actually turned onto rock love still despite stated title first perhaps review site writing prior seem exaggerated positively negatively bought ray back sale since watched several times preparation technical review another site video transferred film freeman two key need know understand properly appreciate video whether something want buy film targeted typical audience e school age found e science natural history film going possess typical format thus film going stunning visually aurally going short going mildly educational emphasis mild going inspirational wholesome seem standard formula based four seen ray find subject title draw nature documentary loving crowd maximize usual gullible e next assemble cast random course would call interesting place dramatic beautiful location title movie make sure director movie really handsome cast oh forget add narration something global warming know global warming important thing remember national geographic buy video otherwise bound disappointed case movie formula actually works produce decent film firstly mountain climbing naturally focus secondly hero sort far nitwit film per se film story journalist mountaineer along swiss husband wife team jasper climb north face father similar attempt minute length last actual climb first part movie father death also bit swiss travelogue history many may find story basically uninteresting unengaging found worked reasonably well especially comparison familiar grand canyon adventure river risk ray mystery ray reef adventure ray definitely recommend movie story educational value picture quality sheer visual magnificence five star stunning footage ascending also great aerial avalanche various swiss want eye candy ray intense lift disc three four movie harry potter dumbledore queen true misleading narration fairly minimal voice come screen primarily orchestral score composed wood solo guitar work may lead guitarist queen little queen anthem like vast bulk queen proper four total less three film length queen fan found fairly innocuous hard imagine ruined film anyone course may last straw host yelling away nonsense yelling never star series think fraiser cable channel show enjoyable small watch box set dont watch otherwise cute full better day year bennet got worst therapist long history television personal life pretty much level hilarious give positively fearless willingness look terrible humor head case comes discomfort awkwardness traditional set joke set joke style format tone show much like curb enthusiasm particularly mostly unflattering odd thing set bonus shorts disc two actually minute short made full length disc little odd watch second say sense watch shorts disc first fair warning offensive making fun physical developmental one episode beyond show purview also pay channel production language plenty four letter stuff skip one going compare series anything guess would fair series use real posing really becoming really ben stiller tirade end second episode still remains tops relatively short feature lot b even c list visiting high class expensive shrink talk say know true could explain sessions funny perfect snobby psychiatrist sessions feel little slow forced part good series worth smoked show doctor smoke must thinking bong something picture wall shrink office like cartoon funny ralph steadman book question one episode sex mother closer ancient classical dream interpretation kind people natural series hardly take two away institutionalization seriously set well think popular kind people get say remind something people ought know feel much common dick seeing head case point never saw episode came like new series time orient decide date office six several mostly cable feature generally often unpleasant help liking spite terrible treat madden give rock star life suit tie mediocrity like office bad advice high school class hilariously psychoanalyze teacher slightly psychiatrist unbalanced idea show primarily around sessions enough interesting whole unpredictable like offbeat dark comedy humor nearly situation head case expect like first watch get know never show see really bizarre visit therapist unprofessional self involved mentally unstable somehow able keep coming back include jeff ralph funny series dark goofy sort way wait gone bed watch one lots four letter sex talk head case human exaggerated point near best complaint brevity coming ten like see set couple full would allow ala development proved type style work longer narrative show format bad still priced much longer minute outset let begin saying unfamiliar wacky therapist many celebrity play way watching series actually watching first episode even certain whether would bother watching additional sort show would try find humor simply showing character whose arm funny could therapist obviously celebrity recall overly pilot ultimately decided give series second third chance know whether simply got better whether grew comfortable top humor subsequent eventually fan sorry last episode season ended money deadpan consistently show psychiatrist space recognize celebrity merely interested trying poach unfortunately suffer depression high rate suicide leaving lot time convince celebrity lie couch young girl scout even father merely waiting daughter finish session client type find humor series definitely take advice give watching one two show quirky uncomfortable humor vein office main character psychiatrist however viewer quickly far trying deal life funny uncomfortable funny well written well want see dick acting sexual overall funny show certainly family friendly like office development might enjoy well like imagine care head case watching show mixed funny long realize trying anything funny enjoy overall show times felt quite good could still worth watching glad saw quirky funny show definitely need slightly twisted sense humor appreciate premise show treating luck therapy sessions therapy sessions end mostly personal highly way constant bizarre jeff age guess old attractive punctuate sessions celebrity show include dick jeff alan among many length really enjoy show find laughing loud new episode kind train wreck appeal disaster waiting happen constantly question woman left good fun poking mean finger head case short run sit screwy office full pretty jerky shrink indignantly narcissism needs adjustment regular part cast familiar insultingly great come best way get speed cable little gem couple worth stuffed semi famous happy seen finally next season ordered made mistake reading watch based hah finally sat watch one snowy afternoon episode hooked entertainment light fun silly adult entertainment lots sexual talk one fast man appendage never series even though get want make sure see rest favorite character myron real perscribe opposed celebrity preferred therapist subtle poach fabulous ex show one one receptionist accent outlandish actually common sense three real cast outrageous personality really funny fun watch season actress tony wife see recognize role lea well get picture suggestion watch disc shorts first watch oh prepared waste afternoon start watching want stop seen really enjoy series ever seen realize biting sense humor totally get show fun part celebrity go would expect find hilarious like comedy would highly recommend initially learned head case sure connect thought similar show feature offbeat real life wacky love first head case hard like finally half dozen found warming myron care meanwhile episode several celebrity guest psychiatric completely hit miss fantastic job episode funny appearance hand probably scarred life whereas celebrity amusing head case least first season many seem even painful think show could get fine without actually aware getting ready watch buy one completely new show watch shorts special disc watching regular disc chronologically go first wish known ahead time think would regular lot already gotten know via shorts beforehand two feature risque material used cable probably care familiar network jaw dropping watching head case may bother saying family show head case pretty amusing like good satire show regularity funny office noble effort nonetheless everyone something watch never saw show air happy found light funny look show business really list either act silly shallow ways even little stereotypical consistently really belittle psychological profession seem like work act wacky imperfect lead character therapist plenty mental health needs non serious farce type look main character psychological practice similar office look business environment fun little show cutting edge therapist among b list office traditional therapist rarely paying show extremely funny unconventional often politically incorrect advice side funny picture serving mediator desperate creator mark cherry let say chance visit local school career day priceless skewer student also live session teacher list hilarity goes especially know guest many contribute material star funny like make show worth watching star rating rest show uneven find many character funny painter missing arm stump therapist practice nice offset energy find character funny rarely skin humor language definitely made cable initially worried quality show female steven psychiatrist would reek forced kind live potential involved laid rest fairly amazed consistent ability hold interest make laugh get take air desperation part becoming comedic quality guest little hit miss may surprise looking also terrific way great deal show main character whirlwind times well well executed wish second disc shorts nice bonus profanely humorous real therapy said history always first time tragedy second time farce apparently new version repeat first time animation second time semi real thus taken old brilliant animated series professional therapist treatment try saying aloud head case feature b list pouring hearts since much well known better actor show much concerned actually treating psychotherapy legitimate field worthy respect drama comedy inherent real life soon becomes clear better two treatment treatment head head case written staffed head obviously need treatment hope never get simply put treatment deserving interest respect head case fall funny hoot please note like head case review brief long last role born play fantastic comedic talent yet lost wilderness following breakout role living color well motherhood big role career path well speaking lost found true scene stealer almost since barney miller like many agree show box set albeit slight huge potential five year old must charge completely order disk disk buy buy buy title reasonably priced show often quite hilarious living color episode alone worth let find review helpful onslaught begin world two half men engagement considered successful really know refreshing come across something unique genuinely hilarious head case head case party already two favorite new look forward channel next time amazing show well done actually come think slight feel show definitely b movie plot story better b would recommend movie kind predictable think life better money mean true better bad happen time people anything deserve people money cover time opening fierce people interplay tribal customs anthropologist father young narrator earl south tribe fierce direction film nebulous watching dark comedy life new york streets uncivilized message film serious intent story fine line entertainment philosophical impact becomes increasingly clear griffin dunne direction dirk adaptation novel may bit careless times rational plot development end strong enough final impact patch narrator earl coke addicted masseuse sexually mother lane new york waiting summer join anthropologist father field trip south father drug bust abruptly one wealthy family ten acre estate epitome wealth power exchange private masseuse live mansion filthy rich daughter maya physician lead drying path despite disparity poor versus wealthy living situation works occur alter masked assailant turning point film view family past together manage discover truth troubling incident also fierce disease wealthy class film many clips tribal activity film drawing disturbing viewer works well director place tribal full regalia within context estate concept feel though audience forced get various maid de la introduction obese retarded chalk artist push credibility edge line wealthy lower class lane strong enough make us forgive film great film one lot worthy splashed around screen project often lost struggle direction harp movie interesting well made several interesting good pass time would better ending pretty much theme film immensely wealthy paterfamilias c poor son masseuse earl two pod right away already thanks little blackmail part grandfather get impression surviving rough coming age summer ex drug addict mother tribal behavior fierce primitive tribe studied biological father tribal behavior fierce robber baron family headed sex love murder rape jealousy human stuff change matter costume happen wearing much money lane outstanding rest cast wonderful plot engaging metaphorical fabulous seen one never really interested partly know watched prime one instant still went knowing nothing well let say film bundle surprising heart definitely kept guessing especially towards end movie see listed thriller even though seem like first half mostly boy character though story little predictable message boringly simple gilded rot always seem staging pretty narration occasionally clever would make great urban commercial movie really good got little strange end definitely worth watching far best ever seen impressive cast mystery solve enclave rich devious film running concept compare primitive tribe brutal behavior rich works well great prime choice great movie terrific acting music good good writing movie ever seen girl twilight almost watch cast thought bad could really glad ghost international good new show like fantastic especially great see new team paranormal trying smart really enjoy show keep good work fan original ghost show seen nothing left watch worth entertaining enough gorgeous head either eye problem severe stage fright every time camera go saucer big move incredible amount keep waiting wipe forehead nervous sweat something crack every time stiff loosen fun donna favorite female ghost calm point sleepy yet still professional would ask goofy yet team really ho possibly needs like de new comer scene although new investigating paranormal opinion picked someone else anyone else choose personality leaves lot desired kill straight jersey boots bad hair much monotone voice tops blah effect least favorite completely expendable barry original ghost liaison participant well bit excitable possibly even need heart monitor seemingly well intentioned season sporting fetching fetching flavor savor strip thing chin shave last certainly least former member taps say none original ghost none international would half entertaining without like may cringe help love said show bit original ghost series far interpersonal drama goes suck find good forth worth look set great comment closed caption option otherwise love bought husband big fan show shipped fast great shape satisfied order thanks count review friend show anything super series lots explicit screwing fairly deep meditation love loyalty family washed writer anyone sleep apparently many deep abiding love former partner married another man year old daughter many funny series also meet interesting supporting cast sex become story character inner sadness longing permanent connection becomes dominant theme found series rather effective critique emptiness fast lane l world inhabit insistence eternal youth people growing become true get watch hilarious definitely perfect fit fast talking hank look forward finishing show intelligent also funny great sure season wait keep past free trial whole season free watch next day charge right free nice want get involved v series offer wish even get first season really plot streaming prime without warning part prime membership like show going pay continue watching future series fun watch mainly plot ridiculous compelling especially considering real life sex addiction well cast great interest nice guilty pleasure get watch without wacky x rated let watch get past first get better acting watch couple draw see couple wonder trying prove entertaining x rated sort way profanity nudity skip actually pretty good show main character obnoxious funny sex would want watch pretty clever show old sit big searching content watch subscription series read thought would give try anyway watched first night thought series definite hook wait see hey adult show almost st season one sitting subscription remember last time show kept interest like one think almost meet hank moody note last name obvious symbolism also note first name suspect homage hank series moody like hard drinking writer smoker father one child daughter chronicler l hedonism literary purist guy ladies though found best role life know x might like able employ range thought x typecast wrong best acting seen help good supporting cast best bald kinky agent also hank life like daughter muse baby agent wife voice king hill bobby hill suicide mistress underage hank baby daughter got series moody get back writing seeing novel turned piece treacle take gig forum trash l superficiality text medium hey work dialogue minute show biggest problem show hank sure good looking cat sure believe nationally known writer would luck getting laid hank leave house without model thin falling lap quickie sex believe confrontation especially one last episode hank fighting married couple get daughter box yeah great season hank guy cell phone real life hank would guy guy cell phone kill first still nice see hank take bigger hank defender basic human decency sure satisfied graduate finale freeze frame really glad see taking different role especially one might think obscene like like think one seen could almost watch whole thing one sitting bad lots sex overall great story line needs less sex hank moody charm get various personality life role role father lover faithful one woman jack ass nice guy time help get engrossed guy story life learn along way think beauty show lie story line think original way every episode hank funny character dynamics said cheesy sometimes rather predictable even think really enjoyable nature hank smart ass personality watched show thought bit like twist adult humor humor made realistic ball comedy message well great fantastic acting everything people would expect premium cable show hank show course fun note saw pilot episode demand pilot episode series starring interesting relate somewhat plight though virgin straight arrow single woman would want ugly little bastard like like series think keep watching definitely hilarious hank moody vice writer struggling balance roller coaster career ex fatherhood precocious daughter oh sex everyone often crass almost every adult show amoral degree copious sex alcohol go around also brilliantly funny expertly filled ton heart lead easily fox mulder skin hank moody without missing beat absolutely love show wait season two begin recommend anyone looking thoroughly enjoyable show keep start finish awhile since watched really show life people dont want talk wild funny show hank moody washed writer la make big work well result cannot write hank trying win back ex raising year old daughter also ex daughter warning lot fornication almost every episode lot probably necessary make great show without showing every sex scene saying f word every sentence annoying let stop show see side hank character shown x return attractive relationship daughter ex sweet connection one describe unless experienced tuning show definitely check season comes story line good excellent acting sometimes sex bit much nothing looking beautiful naked big part story line think little less would work better pretty good show hopefully season little better guy also sex addict think far daughter little whore thought great sex little gratuitous thus taking away point comedy clever writing flawed charmingly alluring homage modern day rock music fun show great interesting story hate writing really hate really unlikely main character really much else say entertaining found lot series truly found worth following regular basis almost god sent season one cation found yet another adult series worthy attention story line main attraction intelligent writing authenticity never found x worth time acting character realism rather far fetched overall comes life almost realistic handler small role sex city near perfect portray agent good friend wont give anything away plot safe say beyond far somehow bring considerable realism highly unrealistic much many sub resonate us one way thus totality realism lost must see anyone season little first two hank still top game wait till season come prime hank man seen character real life never make retirement unless settle see happening see turns next good luck hank certainly funny show main character sometimes outrageous somewhat naughty boy like regular show seem well guess fair let know plenty sex cuss enjoy show enjoy series kind selection prime happy found show get suddenly removed prime watch worth watching though prime yes would pay keep watching package timely manner thing wished bit case cardboard box instead pretty well written show lot talented think daughter favorite lots nudity sex given series since x disappoint seldom review many material sort sift contemplate however awhile either feel add voice chorus praise happen see season compressed articulate something coherent thought case season saw brief first season one week time span pretty much ability make insanely unlikeable person hank moody best seller movie made work making movie brought long time lover daughter la upon la hank grew quickly apart hank alone self pity self loathing turns everyone around enormous sex booze smoking almost magical touch wherever goes minute episode may find bedding several different bright times daughter stone faced girl around rock guitar father smart observant mouth longs deeply dad get back together hank also awful lot hot fraught time ex feel found love stable rich man marry still much drawn exciting dangerous hank mostly know fox mulder performance almost revelation disgusting foul mouthed always unshaven told wife would smell bad also super smart amazingly tart everyone everything around smart enough person actually believe character saying given recent relationship family may hank like time hank despicable laugh credulity ease although sex among show also feel genuine love mostly good father casual way love two life obvious believable thus character extent man tormented mess made life also slave friend agent handled husband sex married relationship acting secretary might get idea correct foul mouthed much explicit sex generally degenerate writing tart much acting first rate good even care guy often role neatly person show nudity ferocious nice job although character stuck roughly spot time handler well freak flag fly wife revelation little bit curb enthusiasm far look forward seeing character progression season less successful martin hate really hate say something bad child performer may actually annoying hank face virtually incapable expression hair horrible rock unbearable madeline woman hank episode one turns year old daughter many awkward imagine unconvincing role also disappointing miner kinky secretary entire season overall recommend series mind really rough material witty seldom laugh loud funny debauchery sometimes jaw dropping golden globe role might first choice award certainly perfectly complicated role admit never thought neatly word fornication fit knowing reputation state particular la guess always good best know x hank moody writer serious case writer block ex together year old daughter probably worst parental role imagine even la describe hank womanizer like calling willie baseball player league dozen first season alone lost count decided indeed love life neither audience never even possible given predilection female even year old pretty creepy though aware young still mood lot topless semi naked beautiful ditto foul language sexual poor role modeling male female way permissive parent kind true life rich handsome live la morals alley cat though alley cat probably picky hank said entertaining heck ring truth though country know going give rascal like watch little value though deep sprinkled throughout first season two maybe less even h one star lots randy material uncomfortable yet interested see character goes going give first couple going forward update finished series watch second year opinion show primarily great snappy take sex nudity show interesting look talented writer lost love trying sometimes hard get back girl daughter good good little actress second update finished second season although quite good entertaining goes different plot wonder hank ever get book back show made laugh loud la behind way guy really want grow completely role fun sad heartbreaking almost wonderful reason giving season five girl daughter literally worst actor ever seen throughout worse worse hank something writer struggling writer block whose new best booze sex helping situation much least let go bed blindingly drunk girl remember next day hank wrote three new york la daughter vapidity la hank ink flowing life famous novel god us made movie stable bill making get married career family gone hank lot empty life desperately trying fill engaging casual sex gorgeous major fantasy male even luck emotionally unavailable drunk hot going want sleep time la able get day without half dozen times good entertaining rely lot hank character washing self pity booze vulnerability intelligence la society fifty something male really going enjoy watching hank kinky sexual young young normally would turn female audience would major character flaw men fact hank still pining ex quintessential sensitive man scorned female going forgive everything hank engaging pointless pu brave chivalry beating party goer ex c word daughter party get control hank therefore becomes sultry sex symbol flame ex desperate need rescue many many going love without exactly sitting figure like hank love thing got point blazing plagiarism show cheap trick resent obvious everyone title stolen red hot chili heavy metal b plot line handler harry city complete series collector sensual assistant straight rip sexy quirky movie secretary starring worst hank character exact copy nick hurt character movie big chill big chill copied every last detail nick beat mask pain even going far taking rolling song always get want describe state mind every plot line character theme show stolen disappointing see sink plagiarism get hit show always cheap version take one star sex city lot regarding living shopping going fulfill lot sexual relationship male fifty something male mid life crisis set like could fabulously irresponsible never end wearing sweater hank job pretty cool apartment beach plenty sleep fun watch even deep awesomely cynical brash opening season love show fan biting like curb enthusiasm development office u k seen show check watched first season prime last week went start second season tonight prime guess finishing series disappointing watched season enjoying prime membership see longer free watch prime membership total disappointment binge watch script get pretty looking forward next season good job really worn nothing hidden least long hank daughter ex know get back also promiscuous behavior emotionally daughter smart radical teen information handle character well believable person l also moving era sho never watched fun sexy ladies interesting good always looking forward getting rest took long time get around watching season show dark bit sad also quite funny wry clever way good role would give another star reason took prime middle season thought series smart sexy fun obviously would buy rest season maybe streaming free great enough justify paying per episode free sorry go long really shame given gift sure big fan show humorous depiction life ca born realistic practical could never drive around days broken could never sleep cat watch fornication part pretty much right sordid tales modern day sex rock roll series fit perfectly rare form must watch binge watch prime fun cool still reality style rag set video road apple cake bit shocker really quite funny expression feast neat dive tricycle real item worth pretty penny still reality style show making debatable believe lot potential hope screw always series future world struggle maybe get series especially comes time explain would better even terminator first story show typical life run build terminator entrance couple instead making starting point hope plan slow big every episode expect keep people coming back one person character development two worth character building main cast new give time build hopefully want something simple monologue moment weakness explaining past also aware series fully two hope like lost many understand many left looking forward finding hunting overall hope good story us start explaining taken make people know stuff need personally rather disturbed searching days find could easily tell ironically terminator worst part part whole story seeing see sitting around magically needs know whole world hacked feeding information go please stop one main story would thought could fit role well think goes long way part watch listen talk see version think lot people like remember series future reason afraid run impending doom police lack emotion except towards kyle decker good start new conner long plan develop really well need toughen foreshadow future persona instead running time point furlong future one already touched teenage rebellion right direction trying make innocent helpless point want watch see confident leader even certain actually brilliant first thinking cheap way get beauty screen summer lack type surrealistic beauty work role previous role river firefly able pull character make really thinking position beautiful terminator protect young man sense bond formed way likely listen follow another character really looking forward knowing made quite clear normal terminator already seen cash find guy apparently stranger fi terminator come love yep lean mean version time series ever human downside made terminator slightly less wonder couple really hope long fight show us works cause guy good besides really need know getting information might well flush series music kept true series far overall giving far bad leaves hope would easily trying hard make movie episode leaves story personally thought conner another run terminator movie right shooting everything every episode decided review review episode individually episode keep review short cut chase weak felt little cheap acting felt basically like compressed terminator film almost reason set stage come necessary setting stage may felt could bit less predictable end enjoyable never celebrated sort film making prowess episode pilot may weak second episode series purpose feel particularly notable must see entertaining worth giving chance episode waiting break episode showing series truly made new episode emotional depth also disturbing episode entire season episode ending grisly death series really give watch might enjoy episode heavy episode unfortunately one letdown series episode well written barely place overall story making irrelevant episode like excuse time story one two important future mostly around terminator though felt like bit waste time let faith show waver watch next episode episode queen bit disappointment series back style third episode particularly new character plot twist show twist entire terminator episode probably one best season one disappointed episode episode interesting theme fifty percent episode future give insight life future war movie gave showing general living rest episode particularly exciting bring thus story episode demon previous may fighting like episode turning point one also theological examination sowing used times trouble self doubt often throughout episode also somewhat brutal tone much agent bondage psychotic many may remember three terminator throughout episode terrible physical abuse getting getting leg finally left die burning building far one intense series may find engaging chip disappointed skillfully heart finale terminator two finale comprised tone explore social terminator many people may find disturbing ye series find ending drop three cut first season used possible second season personally think chose great place end season eager anticipation second season two year run terminator sad see go could see last fact got second season although seeing terminator salvation summer natural would least get second season order cross promote two capable requisite strength physical mental iconic character realize replace fan mind good job summer surprisingly good came show enormous fan boy starred like firefly film serenity mention various guest like although know going terminator protecting still cool see take chest full still show give iconic line come want live real weak point though conner kind annoying kind whiny comes lot worse course two series mind numbingly stupid wonder hey guy entirely based sneaking away grid speak chase girl even though know looking seem comprehend entire fate world stake thinking yes certain point taking heaviness situation pretty much main issue show course two would continue insane causing viewer yell screen quietly hope terminator would kill get high point show surprisingly green uncle comes back protect well heavy mistrust terminator sub plot green another member future old fairly quick pretty nice also fantastic performance deadwood life terminator looking kill show past annoying portrayal recommend show action often quite amazing fact high point first season finale police raid motel room terminator great camera shot bottom swimming pool see towards sky one another police fall second level water quite amazing see watched several times would recommend however get season season separately rather set absolutely criminal tend reason pushing also insanely high two pack get third price half price separate terminator year several going good good music great special effects good writter strike providing little network competition show line television movie going experience one hour roller coaster though awkward associate place previous good job stepping laid wish give character little bigger pair know difficult believe previous character furlong older otherwise balanced music action drama pull well know franchise certainly make way back big screen near future complex story behind action everyone though took away real world watched third terminator movie know always sense want franchise movie left us hanging somber note one always wanting little story course take territory pilot little slow heady voice start episode comes little unsure possibly lot shoe fill sloppy dream sequence proportionately low budget rest episode two opening episode team behind series done great job us schoolgirlish terminator sent back protect two killer works incredibly well still something never quite cooler role style dialogue see little bit river tam show highly appeasing fan firefly lastly chemistry spot enjoyable strange uncomfortable kind way pilot highly recommend exercise little bit restraint go see completely perfect hour also noted series stray motion picture canon bit keep open mind terminator actually better thought would exactly heavy story telling pretty good job appealing terminator within much devotion subplot surrounding suicide one bad better continuation bigger disappointment opinion fact biggest issue approaching series belief would nothing rise like show insight get terminator universe look future war detailed personal fifty second movie action especially robot robot also like character like recruit son huge factor strained relationship terminator causing regard outlook mildly stoic humor behavior thinly veiled hostility callousness likewise body guard share unusual relationship rife sexual tension awkward also got give props acting especially summer right stone faced keeping fair share river firefly also fine job tough say fine warrior also doting mother heart broken woman longing lost lover think capture three character think best acting goes fantastic performance franchise central figure create version would expect teenage savior would act character since longer foul mouthed become young man knowledge fate well tremendous mother crossroads normal life desperately becoming hero terminator lot going especially felt dissatisfied foresee becoming next ground breaking hit regardless even though exactly writing behind made nice change pace reality sprung since strike certainly night action looking return next fall thoroughly show ended soon waiting purchase sale price stopped waiting great new series hope able draw enough fan base keep going cast really good terminator role well think people movie like new show lot hopefully show like action potential plot development yes bit slow intriguing enough watch st terminator really getting hope time fully mature give us want w smith long fan celebrity sober house love season second one close friend gift constantly contact flow show big fan drew intensity show bit either added thing notice show still would think would oh well reason give try let still worth big fan school yes help bit psyche classes season shortly interesting pull hearts alcohol drug counselor entering recovery excited hear gone idea creation series describe happen episode without giving plot tell overall opinion series set end disc intake first episode series meet cast celebrity sierra seth mary jeff second episode primarily process alcohol new arrival third episode bunch rebelliousness recovery episode disc sex trauma episode reason alcohol abusively one celebrity leaves episode bye bye one celebrity use anabolic outside treatment another alcohol unit family visitation sober episode family need family attend addicted addiction family disease someone family involvement likely relapse disc episode retreat clean sober recreation rebelliousness inappropriate behavior program episode graduation relapse mode seem old treatment actuality want leave treatment choice given person stay sober living three must give answer graduation ceremony disc episode graduation everyone various decide upon decline stay sober living environment episode boy wish could give review complete episode reunion celebrity complete profile mary cut went back menu page segment disappointing idea majority people celebrity stayed sober overall content exactly would see non celebrity center group recreation done normal inpatient treatment celebrity regular addicted inpatient treatment sexual acting immature behavior addiction alcoholism immune one class status wealth however puzzled anonymous anonymous millions people recover addiction yet passing graduation graduation episode feel brief introduction importance sponsor working would beneficial one program also set poorly put together intake first episode listed first episode back yet number three last episode last episode series reunion goes back menu returned one set thinking problem last episode isolated incident however case new one got flaw another reviewer fact could get episode play either also would available disc well love movie series purchase series come new one animation good music dancing lovely fairy tale princess message everyone nice suggest swan lake daughter watch great age good actually approve watching kindle yr old daughter book movie came dancer dancing movie appropriate watch one time stand paddle informative lots positive energy great video highly recommend wish also available instant video good job premier chasing budget melodrama broad framing dark side us poverty sexual politics hard times rock band alcoholism gambling us imagine reaching stardom starting garage rock taking road chasing side story story alienation violence disillusion chasing band run chase nelson lead singer jake bass guitarist brazil rock bottom hard times car small dusty southern town without cash scrappy determination make money fix car get hear desperation love angst mixed bottle alcohol jake hope make money gambling hope hide meager waitress motel diner jake roving white trailer trash tow truck operator two develop desire new maid fresh meat town jake stoned audience gig diner bar cornered eldest brother kindness dark stranger arrival local police chief maid dead found crushed skull dried creek bed arroyo seeing opportunity get even tow truck operator falsely stranger murder knowing illegal immigrant arroyo baby everything chase determination put together solve crime find new ride town another satisfying entry saga usual gang inept awkward best keep crime streets fair city devout probably able predict conclude given worth similar material fresh fun new exploration sure add collection near end first season drama breaking bad walter white cigar despite suffering life threatening lung cancer opportunity enjoy taste item directly conversation hank brother law agent validity illegal walter prohibition example observing one day people streets breaking open next day staple country hank back harder like cocaine could greater detriment society liquor even walt supposed addiction pot short three minute scene entire thesis statement breaking bad smoking illegal cigar different becoming chemist breaking bad grey line envelope walter white bad guy dead beat dad fighting troubling home life instead merely scientific man handed difficult question make sure provide family even answer breaking bad cook break law sake common good break law want protect family despite common architecture story found several television series breaking bad unique compelling due organic real acting detailed writing wobbly feeling first episode breaking bad pace second episode bag walter counterpart must decide two one living one dead merely going gritty series unexpected rise quickly us calmly lead walter white dressed beige driving white walter man next door simple wife son cerebral palsy life chaos symbolic pool crime statistic middle class prior life becoming teacher small glimpse future could grey matter modern medicine merely initial consultation make breaking bad story story walter choice choice fight cancer choice let crazy go one self amongst rubble walt family well point season merely dramatic effect walt following cough feel episode humble nature applaud roll breaking bad understood initial season series immediate gratification instead long story television series make gasp around turn character development story episode compelling story walt transformation personality back another episode see ability make walter white money hungry drug maker family man struggling keep together one favorite came early walt diabolical run man merely known ken episode cancer man better long crazy walter white capable expect come finally breaking bad message something say society something say casual something say family review detailed scene hank walt whose still haunt even analogy breaking bad core message seen episode rough stuff type deal another equally bad crime value family type writing modern television tried end deadwood visually heavy breaking bad chemically series modern working man walter white best survive tilt black hat best many us face daily fear actually watch someone testing actually making series didnt time watch walter white turned brilliant research chemist become apparent much later taken job teaching high school trying impart chemistry insolent teens annual salary wife anna whose match situation engaging adolescent son light cerebral palsy r j health insurance best sudden walt advanced lung cancer need large money chemotherapy leave family well fixed force mildly depressed middle aged soul man prize boredom good boy brother law agent dean cooking bust later partner got away pleasant disaffected youth washed walter chemistry class without retaining much essential information however know make crystal sell thus walter way thinking key making large money slacker scientist form unusual pair odd couple making walter acquire aging drive desert drug making sessions last episode breaking bad first year comic dramatic dichotomy series follow walter try cook peace time basement deceased aunt home upstairs real estate agent open house begin later selling stuff irrelevant comment drug lord dim assistant outbreak violence much series follow four good first year whet appetite future come watch breaking bad season one without knowledge way series walter signature blue crystal solid show attract repel shock amuse watching engaging pilot episode really funny part agree glowing spend review thought first fantastic especially way took think would become dimensional character filled character hank beginning like stupid racist cop reality good heart awkward sometimes frankly many like love sense huh seen get show however think bit weak right episode maybe writer strike stuff bit much visiting know like chemistry stuff real concern direction show definitely going continue season even shadow doubt mind breaking bad show ever made show freakishly terrifyingly good like drug get jaw dropping opening pilot heart heartbreaking quality five never perfect could go could talk legendary immortal performance high school teacher turned chef walter white could talk length jaw dropping work anna dean bob moving finely could talk perfect use music lighting camera work stunning cinematography could talk writing sharp realistic beautiful show chemistry took breaking bad could entertaining black comedy drama labyrinth blood destruction hell b b talk say one thing watch breaking bad watch perfect done come back drop comment telling thought right tell someone else breaking bad five entire series evolution walter white chips exciting watch stated title show extremely slow good last season ray quality poor best look near crisp watching series first mistakenly thought dealt drug use trivial way however gave chance recommend highly series spectacular best drama ever watched small issue though swear utter silence even fact fault receive otherwise show spectacular think getting better idea though hate loyal mean loyal breaking bad know series interesting premise talented awe inspiring get better yet dive completely hysteria breaking bad go ahead start season episode wager marathon way like rest us bit waiting next summer final eight watching much say yet show pretty good happy prime say love breaking bad somehow someone home video must smoking whatever set ray list price sale cable thing give new series shot love charge much well watched episode hard say find weird still fee season see free want see additional took could decide times actually hard watch yet despite violence unable walk away want see next breaking bad came friend prime watch pilot far would never watched show beginning see fuss good entertainment version breaking bad uncensored additional content certain blanked certain blurred want give since would create see pilot episode minimum key cancer terminal say stage sound good walt high school little money moonlight car wash health insurance like us health insurance really great day comes get really sick screwed usually lose everything die leaving family penniless homeless buried mountain debt supposed give walt permission number bad like traffic steal lab equipment employer public school turn blind eye innocent person accused theft getting fired record well know nice act like real citizen upstanding morals family comes day actually something live put principle practice people stumble walt flat butt fall made blatantly apparent walt helping hand someone help justification well maybe walt apparently better stand like real man even multiple maybe spending rest life prison really big deal blue lead character fellow officer admit murder nothing shield one cop another cop apparently good wholesome entertainment certainly know going least half murderous really quite enjoy every kind mayhem well yeah kind point guy walt school teacher excuse slim none even worst thing special rationalization one little conundrum script really resolve except character absurd position effect walt another character provide justification really breaking bad entertaining bear mind satire drama holding human ridicule scorn yeah seven keep mind looking show great like fact episode paying episode would like see show originally broadcast buy hearing much program disappointed great show must see amazing usually show make exception breaking bad one intriguing television walter white also one interesting ever seen exactly go school teacher drug dealer guess ask walter question episode first season incredible actually saw one made go back buy first two glad would give breaking bad star rating want best show best show give huge head creative show seen since every season holla wonder people afraid rate little lower nobody else good great writing first episode absolutely riveting also long drawn boring need see much angst ridden family discussion main character disease need see man going vomiting much less twice could found somebody better play wife found vaguely annoying boring stereotypical almost like made version movie good great say breaking bad immediately seeing never film far spoil anything series pretty well written place arid new interesting see chemistry teacher deal criminal well chemical found little beginning stay great sorry intriguing acting amazing friend series decided buy got know like pretty far shape serious story season one torn two extreme walter living particularly wife enjoyable definitely keep guessing story line would call typical got season finale close airing enjoying without warning seen say whole series creative unique almost new show riveting beginning episode prepare watch intense show really good definitely worth never dull moment everyone show much range acting ability excellent first season definitely comment bought see give watching breaking bad recently hearing praise watching first season short handful quite hooked interested interested see one hear better season complete judgment least another season overall worth program path lead respectable man begin continue behavior would generally see reprehensible also hoist self righteous weakness recommend exciting examination good evil good story line stays together well believable overall good tale told well great show curse blurred like network adult feel little bought season oh one star n rather take story wow family involved series terrible find pattern behavior disturbing nonetheless acting writing make series satisfying watch story telling standpoint plot wife give really really like production show beating dead horse find subject matter disturbing portable device show course wonderful worth setup get play enjoy far yet finished series anxious next season good bad good story good acting good show movie forget acting catching whole series definitely great series fan middle especially love locally new great story line great acting well written directed great attention detail see st episode series pilot subsequent lost already working season great series demise world trying save family interesting funny captivating must see noise ending program wife decided take look offer free prime one anyway taking look figure review pointless majority show breaking bad best show every watched watch whole thing sequence pay attention brilliant lower star review version sold ted got sick numerous b p seriously appreciation acting character development watched n x uncensored version available episode good one get job since partner want continue making money walt wife goes old friend birthday party meet old friend bad job interview hook make crystal goes wrong make perfect like old partner meanwhile welt offer old friend told walt dying wife later show walt back come late series felt able see show uninterrupted short period time order appreciate dramatic flow tat led incredible series end excellent ray package understand getting original completely unedited version considering cost box set could afford see series went first season buy next afford thought good buy told first show figured point hundred different hat pull five make show paper like bunch lame thrown together pleasantly take lame intricately weave together somewhat believable way fan like dexter show right alley detail rich great interesting glad hope get way season shaping setting quite sweet picky choosing check new show never even breaking bad kept watch via finally gave guess image show shown cover first confused show would feel like perhaps initially finishing first season feel like show breaking bad essentially mix first season one mean say clone rather tied basic put brand new show think would end breaking bad naturally felt drawn one well main complaint main character personality little actor great job understand director whoever intention making personality come like feel like little much times show feel like dragging thankfully remains quirky enough notice often kind give season reason really show anything wrong fact charge full season really get half season many special overall presentation box set said enough season need watch go second season recommendation either find streaming site watch thing would definitely recommend start watching show great season admit really hooked mid way second season definitely think stick even season bag still best show time best season breaking bad currently airing first half final season obviously late party finished first second season recently knew show involved starred highly watch many television channel like would able pull kind material effectively likely know unwarranted difficult review seven make first season without taking brilliant second season account believe first season high regard think tend reflect one opinion show whole rather specific group first season cut short writer strike nine seven first season breaking bad compelling season due lower production writing merely amount exposition set series way breaking bad carefully perhaps season based great following season however seven first three fourth fifth appropriate dramatic final two nothing short astounding show undeniably masterwork first season masterpiece one point superfluous provide synopsis provide context walter white high school chemistry teacher second job car wash living pregnant wife anna disabled son walter shortly th birthday stage three terminal lung cancer health insurance stress piling diagnosis secret family financial burden weighing walt looking way make money agent brother law hank dean lucrative cooking chance walt former student sneaking house hank busted walt extensive knowledge chemistry able cook highly potent cooking distribution shortly walt career go awry add pilot episode works like self movie impressive introduction second episode excitement shocking story arc comes dramatic conclusion third episode fourth fifth dramatic put focus give depth necessary us start care least compelling provide powerful dramatic season sixth episode bald walter look character become iconic well psychotic powerful drug distributor power lead walter big payday last two intensely well written well immediately elevate series episode improve upon previous one every creative decision goes forming framework show success lot seven every new character every new conflict inspired season high note point series intriguing direction rather ending cheap real confidence direction series way put together first season slightly less perfect necessary exposition every event catalyst rest series every episode season one intriguing suspenseful season two better good well never get impression watching television show cinematography acting dialogue look feel show make breaking bad simply feel like long movie phenomenal actor finally got people take notice role movie work would worthy also terrific performance one grow love hate chemistry palpable yet nothing content show ever restrained violence language sex yet done tastefully works whole review ultimately superfluous sure anyone reading already watching series however must add pile acclaim one best television first season special unique introduction mine tried convince watch show time put make mistake show almost drug based around similarly go extremely graphic violence great story line acting happen think rely upon pressing sub husband hard hearing hard enjoy ordered season able enjoy want wonder would make high school chemistry teacher start cooking pilot episode breaking bad amazing job life man unthinkable decision story compelling incredibly well pace action hard turn away excellent show cannot wait see next episode bought gift father law huge fan series although time yet sure problem ordered many saw ending national see interesting get series point create setting later also really great also give first glimpse would radically change course walter white chemistry teacher dealt dreadful hand cancer limited time earth comes scheme support family even future family cook season really door great show sort like really broke bad believe let whole series go without ever tuning hooked intend see five breaking bad unique story line unusual great walter white understand series could go much longer miss pilot hit series engaging kept attention look next episode well done exactly cup tea however show written well fun watch breath fresh air cutter pleasing intelligent program watched first season two days second third soon walter white life mild mannered high school chemistry teacher turns show wife another child first well year old life walter well boring walter job hold glamour teaching least trying teach chemistry trying pass along passion knowledge generation rest care take interest second job working car wash extra income degradation owner routinely menial worst finally comes around walter car wash rushed hospital family walter told terminal inoperable lung cancer one go entire world around walter comes form brother law tough talking jovial agent hank dean hank time offer go ride along next lab bust place method walter madness get glimpse set used making sell make fortune leave family fate walter young man escape house next door ex student walter proposition chemist involved making would turn distribute straight business deal would yield nice wad cash need place cook seeking used walter comes plan lab get set make first batch purity product walter poke concerning ability listen learn something seem high school done chemistry class would learned become major drug provider set true anti hero ever one mild mannered suburbanite turned major drug dealer yes basis series misunderstand glorify drug culture walter decision create story walter attempt good deed providing family time making place jeopardy living wrong watching walter attempt save made series watch walter comes life perhaps sense danger perhaps fact living outside comfort zone perhaps facing death cancer made walter change see move mild mannered chemistry teacher man willing walk home base wild drug dealer demand respect money series also wife love husband understand change knowing halfway series cancer son dealing father quite learned respect man driven far edge involved drug even though brother law agent man faced turns part soul life probably wish never experience series hard edged drama though throughout walter get plenty actual whether walter standing middle road gun know use walter wife thigh midst meeting truly funny first show interest sound like something like watched though walter felt wished seek treatment hoped family would find way survive everything might cup tea average renter would enjoy dark humor danger interest main character make compelling fantastic job odd couple current state series find looking forward season two coming soon well season starting march one thing series story man crystal would easy write series homage root story man wrong right face movie made bad bad yet found enjoying times bad think butch possibly even learned hate biggest fear series become norm series like recently widowed mother becomes major marijuana dealer dexter serial killer becomes hero killing bad serial trend starting place imitate repeat past poor quality knock could turn first many like let hope know good move forward hit men goofy corrupt silly next door neighbor show attention opening feel walt anxiety every scene awesome show personally care much first season good nothing great like recent several late breaking bad party got train watching season one acting good really get story despite bad topic person turning money associated find new drug dealer series engaging order season two rather season via video demand watched kindle fire really like portability player dark humor times different good acting bit slow season buy multiple bit high prime recently watching breaking bad wait finish first season breaking bad band wagon last season realistic satisfying see underdog underdog sometimes must husband watch last two season rate entirety yet show acting great almost every character would say dark might say depressing watch season done would say hooked awesome show lot light funny mixed dark frightening many turns watch lead character walt concerned family man morph almost psychopathic dealer couple writing make draw think budget limit amount would soprano picked develop well worth price husband decided see watched season afraid hooked discussion fact hooked show guy terminal cancer drug kind tedious repetitive morality lecture really good enough novel enough world keep going last episode barely annoying season five broken two separately sold thereby doubling even annoying made clear mean charge double final season fine hoodwink unique story attention make interesting show young came time well ordered sure yet watched first falling movie time tell breaking bad one best written series ever seen sensational yet flawed like although life still believable incredibly entertaining viewer amazed show show walter white man edge former chemistry whiz unappreciated high school teacher car wash attendant doctor terminal cancer time rethink life path unconventional inadvisable highly illegal break free doldrums family wild ride ring true walter deal drug brother law strung former student current partner worried wife son stay alive face danger slowly grounds story real emotional conflict man facing mid life crisis brink impending death wife son quite strong especially thoroughly role walter white hard imagine anything else story engaging unpredictable great like made skies integral part look strong series even tried set glad series real life top stereotypical screen serial could say breaking bad bit extremity drug crime film really family drama breaking bad good television early husband favorite show best price found season one disappoint breaking bad virtually make good series violent funny cringe worthy compelling tongue cheek cast acting last drop brilliant seen beginning sure would watched series rough watch however season bought season catch beginning waiting see good learned drug world reason watch first place money reason everything world would want live know watched first episode far definitely watching straight laced book pharmacist similar main character show came chronic illness theme show hit home much dose laughter due profession love chemical humor show due unexpected onset disease desperation main character find way support family despite illness sad understandable continue rent watch hope get caught prior next season starting dive watch show great change predictable trashy reality taken everyday like series even though thought main character high school chemistry teacher turned lord going harder far starting third season still would think drug lord would may watching must admit waiting tough guy show chemistry teacher turned jerk overall good sadly like drug addict dying high school teacher unable pay medical treatment feel watching show finishing second season last night even like wife longer feel somewhat guilty watching show like criminal good guy still watching must mean good show watching season one sure going cup tea oh god wrong addicted brilliant writing brilliant acting brilliant show worth every second want watch multiple row want see next chapter story already season everyone told breaking bad see first season captivating interesting premise fascinating wait watch season love show friend st almost done fabulous crazy show acting top notch update watching season three also season four hooked bizarre show love acting fabulous told great series date watched four hooked live billing like really good series beginning first first season lack really watching somewhat often easy paced great scenery great acting believable lost reality good buy gave four cause lack difficult would add day age almost awhile get story last enticing make story work think best drama time many never like cop rock still breaking bad entertaining story man high school chemistry teacher cancer thinking days start cooking one former make lot extra money effort set comfortable pretty blonde wife mildly retarded son show fast paced fun watch like tragic hero making comeback particularly realm television fate greed live breathe many grey know whether triumph eagerly inevitable downfall love character hate loving amoral morally uncomfortable whole lot fun enter brilliant portrayal walter white latest entry tragic hero tradition walter high school chemistry teacher dire financial walter wife pregnant son handicapped walter terminal lung cancer learned little time live fortune medical insurance cover man well walter white use chemistry get involved crystal business leave world leave behind money make sure family taken care preposterous sure works largely thanks stellar performance white best actor show far walter mess man one hand ultimate family man whatever hold family together make sure survive financially hand insanely selfish risk family supporting extremely harmful underground drug trade role great finesse moving seamlessly despair watch man dealing devastation cancer hilarity watch walter try establish player drug business first season breaking bad great introduction show zany darkly comic world story smoothly like extended movie television show great show without story walter family consistently compelling side acting strong particular walter high school dropout partner crime always rise bar set side times leave wanting get back walter plot also comic foil walter stoic seriousness important inclusion show first season breaking bad wild ride outstanding lead performance dark compelling story carefully poignant inane refreshingly different series nothing great promise future come one best drama comedy long time love turns mostly great job breaking bad short episode series surprisingly movie team effort series dear old dad middle desperate cancer ridden chemistry teacher walter white pilot episode us basic plot good guy white terminal lung cancer strapped poor insurance teacher salary turns former student sell pay treatment far like retread character falling far turns walter eye sure family really respect brother law agent hear wallflower walt would even consider smoking joint turns walter genius comes chemistry discover one afternoon walter crystal purity local market never seen indeed sample product convinced new drug kingpin town told gradual see brief walter beautiful grad student simultaneously seducing later learn married walter former best friend classmate made millions walter worked together exactly walter teaching indifferent high school gifted never thanks performance wonderful writing see walter flawed man made hard never anyone many walter guy left driving pete sake marriage fallen tedium wife squeak selling junk walter really close anyone forget mention terminal lung cancer watching walter emerge teacher existence raise money cancer treatment keeping wife dark pure joy terminal status walter never alive excellent series bit short looking forward season also even though product basic cable spot nudity rather prolific thinking something network hard core stuff however interestingly left couple came back though series picked right left core teacher breaking bad slow easy migration new self living life never intended easily made quickly latest projecting must earth shattering took break never got used partner crime something work series enough depth extent tolerable merchandise within normal time well like many one disk worth watch far seen first three wait see rest season point undecided whether really enjoy watching breaking bad first two curious story line also little disturbed subject matter immoral good writing excellent casting create refreshing series full entertainment show transformation terminal cancer diagnosis nice guy high school chemistry teacher walt walt family man energy supporting pregnant wife teenage son series learn mild mannered diffident man hidden brilliance award winning research post graduate student walt approach life sudden diagnosis terminal cancer priority becomes making enough money keep family comfortable gone idea make fat cash raid local lab walt former student known drug underworld captain cook involved manufacture sale walt hapless rather pathetic becoming partner crime drug walt genius chemistry exceptionally fine high demand product violent predatory nature local drug require matching violent dominant aspect walt personality emerge corrupt unsavory nature drug underworld walt kill show talent comedy subtle slapstick sensitive portrayal tragedy impending death complex set walt apparent ease excellent supporting cast fulfill promise well written script good direction twelve series leaves wanting highly engineer science guy like type techy stuff based old slide rule guy chapter yet see make last many great story line good acting good season short however season finale disappointing edge seat disappointed lack last episode anything resolved first ray purchase see show long time picture sound perfect show good hoped family dynamic show like watching keystone modern times anxious see next quality quick shipment movie series would order additional series watching husband similar show love one laugh want see bought watching took literally get onto kindle sure thats normal anyhow season awesome season great show watching season much better watched entire first season one sitting much felt show could least one scene havoc crystal create many walter white reaction mean recall scene white one shred regret upon world stop thinking countless white would help create took first hit purer pure drug forever thereafter utter ruin white decent morally driven doubt considered well great show though overall wonderful actor found show compelling unique would recommend show people enjoy dexter antihero role yet see rest season due school plan finishing time watched two already ordered second season plan third season shocking entertaining far love season gotten curious say hooked curious see show goes season seen breaking bad hand get dealt life make make better family hard path easy path life right wrong something bad end goal something good season back story rest series worth watching exciting say season breaking bad terrific show unprecedented number one extremely difficult get show centered high school chemistry teacher walter white dying cancer determined leave family nothing white former student local drug dealer attempt process sell crystal drug hard part trouble easier said done especially wife case brother law agent show terrific worth every second spent watching almost pilot episode strong one fact many show worst episode entire series make first season much better first season extremely dark depressing mainly walt illness effect family really easy watch especially like family go thing good news depressing episode first season show much much better network seen thing everyone saw attention future centered around walt growing business nosy family seedy people looking taste course rival show really second season evolve award winning crime drama become walt good nominated every season show man complicated really best actor could find play walt white mess concealed within strong persona concealment also keep conscience bay time also good nominated four winning twice forever call people bitch good actor great job character find extremely annoying always thing always risk saying stupid stupid honest care much character fact character opposed actor strong walt family also main stay show wife anna strong housewife ever seen nothing white say often walt morale compass albeit one remarkably nosy unappreciative son newcomer r j whose handicapped angle actually real born cerebral palsy effects speech effects show still handicapped real life one hell inspirational person never let anyone tell anything open condition anyone really inspiration took handicapped used advantage finally walt brother law agent hank dean much comic relief show hard watch sometimes besides great cop personality life even context show bad find drawn breaking bad total one highest rated cable history show defiantly category television unlike neighboring show walking dead acting believable story better better every season make slow depressing first season find unbelievable show may well one best cable ever seen start plot full see growth direction engrossing movie great show humble opinion bought based min commercial saw year ago disappointed definitely one man show role life expect laugh much though sure hero life get worse sure enjoy interesting look mousey unambitious teacher fed life always struggling make meet terminal lung cancer leave family something besides pile student turned dealer cook walt producer former student front man show roller coaster ride funny pathetic scary feel bad walt ge everyone smart ass agent brother law chemistry class scary cracked deal sell junk laughable albeit pathetic sad commentary contemporary society sort parody everything bad done probably sale e bay ya wait week buy give ya good deal interesting work somewhat entertaining nothing want onto doubt buy rest series save money buy complete never watched badly produced show dont like subject matter much anti much gratuitous violence like fair amount violence like watch bad ass beat everyone site love series interesting series although violent watched yet slowly get overall personally never series husband gave birthday really confession fascinated sociological study millionaire matchmaker need help finding spouse right least thought first show realize rich often spoiled self maintain health relationship really comes sure several opposite sex meet list often long shallow time real work usually comes open tolerant giving going lie also nice see give occasional millionaire tongue desperately deserve love sneak peak real rich ways much poor rest us bravo reality show millionaire matchmaker based staff find love exclusive club season one seven one hour typically charismatic working two almost always men need assistance romance department rich wealthy often live different set reality show premise romance particularly male point view matchmaking age old profession third generation matchmaker success rate although well short mark program millionaire matchmaker lively entertaining show often strong assertive personality intuitive ability assess people often snap occasionally astrology frequently people making direct prospective typically send video agency looking screened staff autumn alison standish usually face face meeting client sizes clearer understanding interested necessary consult one make presentable screened agency suitable match typically amusing provocative say sufficient number found mixer two client two separate one go date leave standard format go routine extraordinary even bizarre afford extravagant exciting romantic kind mundane sometimes real chemistry couple occasionally quite awkward true love appear rare still entertaining often play expect rich way success heart eclectic millionaire clientele big part show fun men often interesting character particular personality great variety seem like regular arrogant lack maturity seem lack sincerity shy seem romance lots variety go around subsequent millionaire matchmaker featured female season clientele exclusively men episode jeff interesting jeff rocker type made money slight jeff date private jet visit winery go well date relationship later refined fellow bit socially awkward despite wealth college see relationship expert get dating unfortunately prevent date pretty much disaster chosen prospective agree abide sex without relationship someone one become issue millionaire matchmaker bravo featured season agency new york returned la fifth season hopefully see soon hard knock show love hate stop watching show different breed orange county group knew would completely different side map show seeing people live definitely another planet point kind shock able stop watching life thought always show well show help like anything bravo e real one watch guilty pleasure interesting see half act towards one another always favorite rather interesting watch first countess classy felt thought city could snobby times bit snobby times like told introduce ah favorite housewife felt grounded one honest really see much daughter though could gossip queen still great watch ugh much attitude general every single little issue self centered kind fun watch reunion everyone kind put place love blunt something let know also one actually pretty cool show top chef since chef well show know show yes wealthy time social circle two several times show thought little weird husband spend amount time together know love great shopping together getting together cute though overall another real show another city different live different also put consideration watch one consider show level reading touch magazine enjoy never anyone know personally think loose serious hard hide delusional beauty gay husband thats show fun watch lived best place earth live rich ladies show world get glass wine pop forget little cause trust got bigger love series entire season watch would given five description episode completely episode even close totally unfamiliar one wonder episode buy entire season something want think search episode guide check gave want sit back watch maybe picky guess true fan show want know video sound quality great well fire fast well hilarious aqua teen hunger force favorite adult swim disappointed decided switch single release format opposed disc past mean buyer less per set time around key special missing volume circle jerk favorite special feature first two doesnt get another sequel like deluxe previously still high rating though manage pack stuff onto one disc step backward first two season like would recommend buy season like include dam jam flight deep fried pine booby beast seen television thinking one season would highly recommend season really funny cutter show nail whole white trash aspect mentality mean nail many vol fan must add collection early president excellent show adult swim cheap venture season vol serious lack quality expect across board sad know happening days adult swim love got season mil probably best season season still great volume disc anabolic liar bitch fine gangrenous big gay without music aint hat sex convertible funny pete stuff dragon con finally like comment bit disappointed previous standard plastic case cheap overall excellent show exception highly recommend alike love show disc one two super funny violent socially fringe might offend people used humor gift son major cheerleader fan said great group really thing getting five available buy watch kindle fire apprehensive say whether going love show yet huge fan ended loving sex city matter cynical tried show would never live quality book read book watching episode know really think show potential especially looking fill void sex city something live wake one best modern men seen thank giving perfect opportunity sneak peek show based book finish reading week ago little disappointed upon opening box see must short season really good show watched season several times really wished show especially early many could really interesting outcome thought show right depiction like female corporate world juggle home life career bring back lipstick jungle buy saw first episode really good saw entire set sale less price matinee movie ticket whew great clothes watched series completely good series worth watching see first series beforehand definite guilty pleasure show competitor cashmere sighing eye rolling sex city gave chance begin watching th episode mainly dislike three lead kim raver price turn show one night hooked friendship raver victory price watched strike episode season truly find entertaining believable victory joe always wooden chemistry romance least interesting strong could overlook one disappointment kim raver hand revelation never actress really grew care performance show completely believable tough editor magazine whose failing marriage arms younger man superficial level clothing chemistry lead fast paced nature energy city much like another show think would given chance survive cable instead network channel shame biggest gripe set cost especially since show order make purchase palatable certainly could added behind regarding wardrobe brief gag reel price point honestly recommend set would highly recommend like many rolled lipstick jungle basically like spin sex city based focus friendship beautiful successful honestly lipstick jungle great merit show major strength leading ladies three make believable chemistry audience see friendship works also really show ladies sex city powerful much time spent aspect lipstick jungle hand around instead men love refreshing see strong female talk beside romantic downside plot originality sometimes felt though going hip scandalous e fell flat work tame importantly went ago part however lipstick jungle solid show everything successful needs good acting believable interesting one word caution seven would cost efficient rent wait price bit also watch limited free check lipstick jungle pretty good show would place top ten really show relate able normal people season season much thought person people would understand felt like trying hard mother business tell husband stay home dad reason need give job house father handled also felt like marriage falling apart like worked people dislike cheating husband defense husband cheating college girl going sue money cheating like cheating must lover barley really understood work passion life woman like work comes first everything everyone else comes second know think dating younger man understood importance work relationship distance romance think best friend defend tried help victory business would love around someone like would great friend like victory felt like story could done better would toned mean place kind hypo critic real drama queen like spoiled child sorry failing money wise millionaire help would let even business pleasure different people work never becomes problem victory throwing typical victory fit love show price behind gag reel cast bios typical extra disappointing fun fan type love show fan could given little especially first show great sex city yes bit truly great show whenever new show strong female lead inevitable comparison either public press moving second yes short amount mid season replacement show debut plus year came shut writer strike yes first season people know understand typical first season start taking shortness season think season first season grey anatomy mid season replacement still show show victory marriage husband around bit woman trying wonderful mother wife glowing career e x less marriage husband pay attention needs love though less passionate way bit alpha male wanting conform idea perfect woman also works corporation quite business woman victory younger share success recent fashion show still married joe bennet wealthy man becomes share holder victory ford fashion show sadly second season ended believe season crying shame truly good show cast funny well one another read book plot similar book older least victory book show believe victory late early book think give show try another smart funny show one favorite watch limited time television great series realistic sad awesome always prime time found one fun watch well always willing watch glad see joining army sex city definitely new ladies lunch feel movie tacit challenge contemporary meant proper female family least bourgeois rank post war showing particularly dominated patriarchal order living harem imaginary sheik send daughter academy unlearning good lady like manners especially head mistress artfully drag marvelous gender kind weird movie got good gut cover transfer new process well wish would covered custom one design build doubler also briefly touched gear difficult cover everything minute episode like love alliance reality enjoy one whole lot goes several well st amendment aside say rather harsh review honorable fellow shopper reviewer great opinion feel show great potential although bit predictable know never episode solid face evidence actually ask intriguing offer compelling evidence however circumstantial interest enough keep watching also enjoy skeptic team see believe really enjoy science guy either produce positive inconclusive respective episode subject proved finally issue person charge team like nut bomb gone apparent trip made nearest army surplus store almost envision prior working last minute whether wear rank would booster wink find proof sneak area already let see real life real gear movie tail addiction fantasy mess performance reality funny true season big brother absolutely great turns around every corner large number either love hate find someone every single competition worth every penny spoiled stupid brainless ignorant glued show without understanding maybe watch train season watched prime course couple read show came back season wrap season little rushed couple make sense contradictory guess thankful least wrapped story even feel rushed good thought provoking entertainment would watch available hard imagine nuclear war could happen season ashes cancellation first season plus complicated labor force eventually due massive fan base engagement studio truncated second season close loose excellent first season good would full season develop play various plot character still great television rating due primarily truncated season squeeze lot given constraint great job like right wing oddly enough right see left wing plot talk irony accept understand one possible scenario world could turn endure rather extraordinary well worth watching watch season first bring series back original excellent series get chance really grow could wanting beginning end hate continue series would like see would gone show really took stopped keep crap air good like still watch season season partial season nuclear disaster small town disaster trying survive everyday drama added boiling survival tired reality need corny overall pretty good show great entertainment wish longer sad see go soon like made good effort closure lots unreal happening scenario grew like little time story might really gone interesting closure bit rush job made good effort given context times conspiracy theory might little close comfort walking dead picked habit killing better good binge watch show watched season sad known us nothing season three done couple military tank train also device hidden bomb tried move picked hidden show potential quickly first season good second season felt rushed likely due cancellation ending season two still worth watch nothing else post apocalyptic thing glad show ended getting predictable knew going happen next first second final show entertaining much life take season two series supposed happen taut terrifying post apocalyptic drama due weak network intense second season claustrophobia season one way paranoia town taken provisional federal government based turns new government result political conspiracy like caught middle chilling civil war ensemble acting first season fast moving plot heavy political narrative contemporary war era politics cast long shadow new government like corporation charge economic activity town company also private mercenary security force ala blackwater finally townspeople take stand going knuckle powerful remote dictatorship spirit survive action political conspiracy theory dig although may feel little rushed short season seven made loose satisfy fun stuff little scary joe film good plot script acting story line good really like twist story conflict military inter personal even within hate see end would love see sequel getting back family siding next undercover character best believable lot head army going good really show entertaining suspenseful actually main good people although watched decided watch pretty captivating work although slow plot issue point already made thought exciting series watched always rainy see end excellent show love survival long get panic ridden wife rated four star series series quickly story line believable sufficient amount action appropriate combination got hooked series spent good portion one weekend enjoying finished entire episode series days disappointment one full season second season said found series much worth watch interesting story good character development believable fun watch much highly recommend enjoy genre good story tired cliff hanger looking type series longer looking forward war two third season action series must tried tie last episode lot loose final episode really season season knew ahead time short season still disappointed season think good season would definitely recommend mostly follow real possibility jake every family character swan waiting somewhere sorry see end glad saw one week time timely manner however self could hear moving around inside case brand new watching order get first season lost one watched season one two back back interested two season one act making next day season two element allied power taken control good portion us find season actually going world around us split several well terrorist plot setup multiple business government bad un involved keeping sides form war main character gone simply help town helping form resistance happening around suffice say least closure written script cancellation us sense getting justice would see third season great buy finish season good show bad end soon rush story good series nice plot season short wish watch would given excellent rating fact show obviously cut short bad enjoy quite enjoyable good plot believable suspenseful entertaining read done quite good job wrapping story one season watch network television rule one good choice us bad season disappoint new newly new face story remains interesting fast pasted kept coming back next episode meant still good show sometimes series good first true writing well acting sorry show continue truly writing beginning get worse run write turn sex violence story much involved survival turning lot romance stay direction set series making mistake great show bad still one cable pick final show written amazing way still open ended least love first watched show still crying loss skeet good bad good guy anything either really miss bond wonderful thought writing sometimes best acting much better solid second season first twisted never ending surprise around every corner amazing series thought early part season interaction st season came spy thriller latter part season better many like ended soon season enough bring bare conclusion nation recovery united great group varied good like show lot know kept attention made wanting see must watch season watching season give time character build great series shame didnt keep series going last episode explore potential u new government course series prematurely second season intriguing well well written like season make ask would faced similar future writing may even considered bit better bit less soap opera bit hard story telling anyone first season season final episode fine job show way satisfying making still wish story could somehow go first real tension drama towards end second season edge seat entire way season two come light season much sustaining life thrown back dark gaining control still wish lots first good show would watch got hooked show getting pilot free ended season one watched together husband rare us like show glad least would wrap series get since live military dependent show wait purchase unbox unavailable goes address originally decided wait came saw price around thats decided economical purchase writer strike cutting short season sure lot trying get price less product buy lot since behind unconvenient times really prime time hope production going screw consumer make expense strike better good family sit around discuss would bomb civilization one better post apocalypse alien invasion series want story production complicated easy understandable series know good bad come greater could also wonder character actor quit get fired said well made made short jake something covering journalist new capital western like like covered control jake hell kind reporter journalist working kind jake nobody real news hook journalist used work la times two got pretty good idea journalist exist journalist people get news deserve journalist two took white house typewriter people got angry thought anybody willing listen believe talking call fiction since show broadcast learned true regardless office show good previous season since story need watch first however story comes resolution either version final episode differ one end awesome show favor buy promise love season great way short sorry cut season plot engaging try wrap best could old enough come point good come end series one ended soon getting comic series see next great quality non typical show wish popular enough real ending would definitely watch someone picked series like development really bad final season later potential really great storytelling quite follow realistic aspect kind event still good show recommend watching develop story becomes interesting wish lead character would less hot head well worth watching always different twist plot coming back want series wish season view possible slow impressive improvement found direction main character jake overdone first couple answer every problem toned really made difference shame need fast rushed ending result could great season series entertaining show watch series pretty fast pace run slow series much need make new season three maybe four please make please take good premise like spin new show one substance bad network go anywhere lots action intrigue dramatic dragged bit longer like formation new government good example go wrong start constitution recently used purchase two survivor season finale survivor island past season service provided simple way allow see otherwise lost episode fan show happy far process simple would hope would easy understand everything worked like charm six would one streaming video less season streaming video prefer season biggest survivor history may strategic get pretty good player best lucky jury win game pretty worthless except pretty good player point one move survivor history early pretty disappointing hidden immunity idol stick one real idol fun series time watched often see least pilot rip rick much shorter lived series charming entertaining era hold well time face vampire make remember old cop nick top vampire side like style opening hoot thought want see classic think fit bill besides else see vampire morgue find cure special effects exactly extraordinary keep mind time blood moonlight buffy angel actually quite good heavily rice universe still television offer much genre think human blood even true blood better modest film production originally small screen project limited theatrical release u thus spite enthusiastic review times remains one smith lesser known even among avid potential purchaser informed smith familiar order portray intelligent shrewd perfectly normal character nuance subtlety control exaggerated acting none character neither eccentric idiosyncratic even peculiar lovely performance delicacy depth plummer humorous contrast portrayal flamboyant narcissistic actor two comprise relationship sane component flighty insecure self absorbed one minor film highly although volcanic acting prominent social political modest sufficiently humor poignancy sure would watchable reading critical digital transfer quality glad took chance quality streaming version leaves something desired definitely worth watching also hesitant movie poster sketch suggest three way film assure lily love bit silly times fun watch smith divine always seen primarily matriarchal appreciate beauty saw film understand better gorgeous son actor toby made ingenue maturing beauty made charming combination wit wonderfully expressive face plummer perfect role well get interesting environs early music painfully almost bad good sweet story funny bit visually smith great plummer two know kind guy video star video beautiful world world guess half naked disappointed watch like read issue sports swimsuit issue think far much much entertaining get l free though maybe really low bikini fast paced get good look anything music great video way kept simple thanks craft colored flame working painting independent film promising director attention detail allan poe writing musical score location typical enhanced special effects overly used plot keep watching wanting well written always carol go farther film career one better film noir entertaining picture part picture quality decent although little shaky opening move slowly making wonder whole movie way distraction also sound fade towards end movie enough unless close movie fun entertainment film ending somewhat rushed silly take back peg two happy spent money seen much someone top billing story goes along nice enough excellent police charge bad effort considered b picture ending somewhat feel one old part popular late oh wish video demand would quit screwing liner mixed listing cast crew movie behind green made done thing movie behind green made nothing great mid forties fox b picture short entertaining film chance take look far better programmer th century fox behind green delightful way spend bit hour told semi manner number potential involved murder shady private detective showing police headquarters film sturdy cast seen numerous period perhaps best know lot fun see behind radio barry second billed barry confidential investigator dollar russel one starred truly dollar screen rather classic enjoyable film unexpected plot twist certainly worth look like studio system fan many noted behind green originally picture scaled b production eerie low angle shot driver less car slowly toward curb instance still place always treat see tragically short lived picture wish seen story kept back room police precinct shield sensation hungry news police lieutenant web conflicting really movie sympathetic portrait policeman refusing book murder point motive opportunity point direction time resisting obvious bribe politically newspaper editor refreshing change time usually either corrupt thuggish comic boston blackie beginning new post war realism crime story neat along briskly main problem minute length allow sufficient time justify budding attraction especially since prepared book final reel naturally even day romance record time might great picture th century fox given time money attention filling screenplay behind green still good run money well worth time see fallen public domain picture sound quality vary across board print certainly average plus considering low key lighting b w many cinematographer joe intimate tone several key sound drop would real loss green way glass desk standard furniture police day looking deep emotional scary movie jenna naked lot although get see lady entertaining part move zombie jenna shooting billiard entertainment admit movie fun waste time jenna roxy saint love loss say typical zombie flick per se typical stripper flick either even horror comedy yet whatever strangely pretty good movie story something zombie like virus along member military strike team strip club jenna people strip club owner lot money made zombie everything goes wrong oddly enough still know say except see movie real hoot movie blow movie suck really bad headliner star movie going suck yet watched film pleasantly caliber film entertaining fully suffer film horrible zombie b found enjoying thoroughly zombie good take seriously film based crazy premise aware fact special effects second none focus visual enjoyment audience bare nearly every scene visually stunning zombie zombie stripper tear screen long time simple enjoyment one zombie find plenty violence sick great lot blood best seen horror movie long time gore works well entertaining sherlock flying zombie death dude go wrong plus jenna cake movie fun gross depending level tolerance little wild crazy lot crude love anything zombie naturally super saw love movie pretty much exactly think get see completely nude hideous nude extremely hilarious cheesy making say really interested movie love jenna nude great movie bad side take tops stop doc first jenna defense turns zombie really good would love see another horror film clothes also like sentiment anti bush stupid good side right hand stripper wrangler lot fun watch movie enough nudity worth great job please fake horror least awhile bought movie bigger part expect also fight jenna get creepy violent fight death movie lot gore realistic funny scary jenna speak much guess cast actress movie really fun watch violent sexy hard many times great movie looking good time watched best friend thought hilarious wonderful experience sure cheesy b movie know title exactly getting like zombie get zombie always make sense production especially low fi shot always best flick fast fun gory violent silly chock full nudity many would exploitation dull talky one also quite good top way like everything else director jay lee real flick today technology sensibility great see might actually able accomplish real budget movie still pretty dang good ride film character hilarious supporting decently watchable gave dialogue silly fun movie much better quality special effects zombie fantastic b horror flick gratuitous blood gore partial nudity true must bad zombie flick plot pretty self explanatory blood top acting bad hilarious make sure sitting watch soon classic abomination bad great title zombie title alone whether kind flick pretty well satisfied get distant future government public nudity animating dead flesh hence title zombie outbreak secret illegal strip club run gleeful long number start craving human flesh also become even bigger draw know course inevitably nasty massacre tongue firmly cheek even decent political zombie great practical gore effects effects also adult entertainment icon jenna actually fun zombie terrible terrible flick enjoyable romp worth b plain trash pleasure first watched movie demand really cheesy dialogue topless ladies saw funny entertaining action movie cheesy dialogue get wrong b movie fun b movie effort put forth casting dialogue funny plot atypical best positive movie jenna along ladies negative supporting military due mostly dialogue thought top could better maybe even skin movie beginning long barely humorous speech w bush taking world family fan bush point could made another disappointing point goody girl stripping dying movie point strip go point die get fascination get funny watch give movie watch fan stripper fan want watch craziness laugh gross rented movie came cracked much decided buy zombie preternatural combination theater absurd hot pink lingerie smith air soft pump action shotgun ability th century major continental adapt cadre sharply divided forced define ontology government zombie virus unleashed yes may possible continue stripping coming back messy death life ultimately existential despair shown inadequate human condition well zombie condition fact greater level alienation previously shown possible left humanity still sentient failing excessively broad optimism laid bare along entire cast rather justification self submission mob conformity payment acceptance must embrace individualism qua reasonable way survive qua innate demand humanity sacrificing enduring emotional vitality undeniable free human life span illusion release found reanimation unrecoverable angst submit zombie virus piece properly read modern assessment enlightenment cynical view religion ability define scope meaning life even zombie actual death must account infinite option meanwhile fresh philosophical brought bear aging lap dancer harsh pragmatism paco illegal janitor cultural script deeply personal reaction numerous humanity tested rationalism logic empathy ultimately ability choose life find beauty sheer act alive separates living merely undead audience reconcile human alive first foundational schism deep question left unanswered film science form wearing lab tech virus dead flesh evil form remarkably fresh looking toss epistemological wisdom turns stage left address terrible question whether choose greater solution monism may disappointed anyone ever becoming find common dressed like new nipple cool film end give four kind film perfect see heavy handed style humor especially toned like top would greatly otherwise terrific film photography excellent especially zombie action bush political humor already age film badly like comedian routine could left mean look family despite think horror fan buy like movie get price one point th term president army thin due even canada hair idea animating dead continue fighting would unstoppable living dead however anyone ever seen zombie movie one well bullet noggin splat zombie everyone facility animation serum becomes infected squad z squad sent wipe living dead one bitten wound old bullet brain splat away strip club turns hungry stage throat jenna one another stripper bring back room lap dance become dinner one poor sap even baby maker turns zombie turn pole dressing room turns good meal pick book oh understand also illegal janitor club whose dirty job becomes even clean arms body left zombie role un paco one point huge sombrero burro like need movie cheaply made cheesy delightfully cheesy fun gory really gory gross rate movie four movie basically junk made way mood something really dumb kilter lot fun zombie entertaining worth rental read past know partial good b genre naturally saw title zombie said oh man get given undead genre quite upgrade scantily clad ladies mix oh mention main stripper non ultra washed star jenna yeah awesome enough star evening know puppy pick month start near future bush fourth time elect action hero man would something since ultimate punch white house naturally war every country possible since dying left right decide experiment order keep alive matter create virus reactivate dead tissue bring brain back life naturally zombie outbreak eventually illegal club first stripper turn zombie jenna nothing typical dialogue however get nude several different times stray fact jenna turning club infestation get poorly hilarious naked zombie madness know quite club enthusiast upon seeing havoc took place tiny club stay away ladies sum early written back would seen movie channel content said yeah sitting green yellow aglow despite june pile tall coffee would glory looking brainless zombie adventure love stripper sure title set bar high enjoy obviously review sure would one long ago love parody brain would much beyond bit gratuitous nudity quite lot thank usual well worn formulaic plot group special force taking ravenous flesh eating undead seen everything resident evil set apart though subtle intelligence writing dressing room full lovely exotic read muse meaning absurdity life one ladies joining undead copy much sense great send also stripper like complete morose madam constantly telling bad old country dancing blue iguana various backstage professional wide eyed innocent new girl trouble sleazy germ phobic owner comedic miss either sight film ended cutting room floor prudish squeamish humor highly everybody else four enthusiastic b movie glory cheesy comedy blood gore jenna pool ask watch movie movie hilarious insipidly stupid way th nightmare elm street v hilariously stupid great making fun yes importantly stupid stupid military stupid stupid strip club hilariously stupid zombie mind brains nice version since slow lumbering completely inane could move fast quite entertaining definitely popcorn movie sight sweating adult men watching strip tiny stage grotesquely enhanced less pleasant movie made funny really funny metaphor learned one grotesquely enhanced erotic movie really turn might want skip one unless year old boy ready film full one politics human condition yes zombie falling seat laughing flick goes well beer adult tolerate substantial amount gore sprinkled amongst occasionally bad acting zombie heavy heavy need know offensive willfully retarded insulting moronic undead breast fest precisely catch pretty funny spite amusing political commentary boot come knowing going see z grade garbage epic scale fun time go cerebral horror masterpiece hole goes local newspaper complain horrible unexpected violence subjected die true story way film glimpse possible future w corporation merger insidious government big business chief justice jenna bush shown giving double metal tongue hanging totally awesome laugh riot mind definitely tone story stupid story killing commander chief animating dead use way go biological thing always well virus strip club see every nearly every single female character strip straight legend jenna first infected grisly demise superhuman stripping bit taste human flesh seeing bloody act driving crowd wild annoying stereotype also hot enough overlook fact want soon club record business mid show building cellar sure ever wind getting lose never yes movie audacious even rotting crowd even start ripping beat notice something amiss would find funny movie walk stupid stop janitor paco deliberately offensive stereotype worst fake mustache ever seen seeing kiss picture wife maria bid burro suddenly nowhere reference famous line treasure sierra know one twice pretty funny mean awful plain awful laugh though lot dumb movie never becomes unaware inherent stupidity make fun time life top club owner really cool black seeing wuss first sign trouble worth snicker two hearing awful eastern woman kind say every sentence finally break say dumb accent great also gore nudity lots lots gore nudity also gore nudity add zombie stripper old ping pong shooter trick weapon ridiculously place existential crack military unit z squad oh look chick karate got retarded good time almost extended true conclusion paco tale immigrant behind commentary track round bonus zombie precise definition stupid fun guilty pleasure cheesy sleazy trash bad good whatever call like either complain like case business first place zombie way gore movie decent acting could used work though overall movie film technically appealing mainly love raw simplicity film small town protagonist resolute really period oath save calling courage ever present group mirror today selfish rich consuming greed poor people forgotten hate sides acceptance statement hate anyone powerful inspiration walk road unknowingly times minute version full length film absolutely first rate perhaps favorite western ever minute version edit done cut run one hour version usually available good important plot removed minute version look hard enough classic camp movie black white way colorization otherwise ball following top prima ballerina movie strike many modern unrealistic tad corny however want real life go watch someone cubicle looking computer screen eight strait business realistic great example film noir lighting moral ambiguity character destiny ava woman outrageously gorgeous magnetic hub move around sense cant think anything realistic trying see many ava find black white sometimes picture sound quality great overall great movie ava exceptionally good movie love raft one disappoint would recommend enjoy classic closed caption also available good movie watching good acting good good story good ending thank always enjoy like suspense action perfect print good sound slight color image hardly worth worry always like watch movie raft away good style nice actor good price well worth keep collection give movie star rating well worth cast whistle stop simply good flick raft ava victor disappoint spite rather poor copy movie unlike many era one telegraph final ending would could usual storybook ending watch find though resemblance famous radio show sketchy second entry b shadow otherwise known quite fun rod la dash charm humor role radio crime fighter show expose often ineptitude commissioner process really nice phoebe lane station owner relative break radio plenty hot water note air without first crime important stylish entry excellent turn lew cab driver lane one jam try get bottom humor panache la roque performance film fun watch enjoy b may exceptional quite enjoyable bad series matter b easy pleasant watch second attempt cash radio popularity one medium history fun film great b movie lot action suspense outstanding cast reliable b genre goes show done small budget pine dollar nothing line former psychologist move ie good even go way believe ginger movie never seen always joy watch talent course jack good fun times happy lighthearted movie leave feeling good would comment even though old black white movie found often dark color lighting mood disappointing much film hard see still lots fun despite little annoyance like light hearted entertaining classic movie enjoyable something light background kitchen thought actress charming story nice truly enjoyable music fun gay typical delight watch sweet short enjoy love cute block buster cute familiar actress movie rhythm lot scant running time left plot complication character two make easier follow enjoy however lots film choreography works well cinematography also professional acting better people led believe acting flat best plot along rather quickly although could simplified somewhat could still follow along rather well film aspiring composer walker thrown rented room landlady non payment rent desperate find shelter crafty honest letter well known composer hale effect stay park avenue apartment town maybe get foot door works music name music people agency think music bundle j c needs new fresh music satisfy wealthy demanding client duchess de lovely tilbury duchess work doubly course ruse music aide conductor make music radio duchess radio show look even ongoing fight man next door apartment bob warren hull trouble however bob realize budding romance quickly get far worse hale home sooner brief matter time major explaining else living apartment without knowledge consent get two three short musical must say warren hull well film also get song day course plot go fire foolish fall scheme egg face duchess go jail done watch find rhythm fairly good musical pack lot short amount time sure terribly deep meaningful known song dance actual plot recommend people act sing picture people big classic movie musical might want get paradise quite enjoyable print spoil movie gone wind nice little film watch rainy evening love especially navy air force even black white color enjoy simple movie watching content like movie whole hard see underwater one take account age film love carrying older made certainly caliber movie show side war think sure made particular subject matter wife movie worked world war great see support see know refuse clean older probably plain cheap agree movie story make good training geared u navy picture number real navy far dark always big boy jean parker emma chick chandler number seen various b movie even uncredited billy benedict corpsman funny bower role plus young uncredited part seaman chuck gave war era picture boost rating bit movie lousy lazy video transfer presentation selling old clean act get business public sick tired rotten unclear sound general idea behind movie vital much publicly known job navy department home front overall bad navy film justice service ex navy enjoy good old fashioned patriotic war enjoy film filled good volunteerism spirit seeing clothes era theme marry love money done numerous times could longer allow character development film probably going register people age story early today nice older family flick interesting see people lived close back day acting natural two stable scene one night one two vertical video transfer anna beautiful actress considering predictability plot acting shone although great film certainly worth older almost entirely produced small stage limited budget fun watch quality film comes entirely acting cast interesting story line often reflection general mood people time sound quality survive time real well significant distraction fact authenticity feel film genre period industry making transition film often appear theatrical play making like available public despite likelihood may appeal small segment hoped like available us long time come get past horrible start love little much yoga devotee however practiced yoga absolute good entry video flexible ready advanced beginning yoga love calm end video problem end loud exit music calm feeling get immediately push pause someone physically inflexible able get far first time really point ultra flexible yoga picked video designed improve flexibility instructor decent job showing focus breathing relax body maximize stretch best ability lesson noticeably pretty simple setting fine however introduction minute long pretty laughable get past found fairly well taught series met needs odd quiet hopefully added benefit improving flexibility time one caution significant exercise suggest totally cold even minute place hand better lot warm good session age series music jarring season excellent try yoga video maybe better sedentary person great workout sedentary person might want skip video purchase something workout wonderful instructor taught made point learning weight section something came however video transfer bad enough hard watch want instant version worth money otherwise buy video daughter good screen instruction good movie end would great relationship wall came class really relax back first session best end session get couple found difficult second session watched much senior everyday first session works back pain pain video ago make difference key use daily skip first part silly around metal dog love seeing get ordinary standing show wish guy would open dating girl dont negative reality game show show understanding people learn understand grow attached well friend reality game dumb cheep bit insulting would think anything mindless fun show like insult show saying respect watching let left alone girl everything people needs educational know hard nothing wrong show countless end cover people magazine say trail blazer didnt edit show made look foolish challenge start bad find milk till dry case point project gone ha well woman show tacky fun wish season always said great woman might way hard headed hell could fun see admit bit huge crush anyway need full drama know give girl break let fun reality show cheesy silly fun really good archival footage one fascinating religion politics day worth time interested presidential history brad judge young alec winter create unexpected gem set rural rice much else german team led paint intimate warm funny family portrait great surprise ending light world economic situation one great set state face crown mud thanks making available love movie good bad movie wacky magnificent moron evidently thought marvelous ten episode effects love l r inventer would palatable short close short cherish release language right neither two language shorts anywhere near good since ham handedness trump intelligence every time satisfy possible anybody eating series would well watch movie skip first last watch ten doubt sorry easy maybe manage instant video skipping watching watching wrong movie anyway two inside starring unconventionally beautiful sexy always arresting guy dying alone choice ordinary night starring conventionally beautiful sexy guy every free moment giving love joy dying lover close runner night hustler starring lovely lonely young man turns first trick meet somebody nobody one use forget theme old hat enjoy delicious delicious men gay men lot positive energy expect none truly bad depressing pretty interesting seeing back back seen general thought along everyone damn another thing see formula one another definitely good collection handy road runner never go wrong always funny today enjoy much timeless entertaining back mornings really great get enjoy cartoon almost best thing used getting mornings watch couple bunny road runner definitely fill void seem realize ask watch every time come collection excellent favorite knocking one star though final set obviously final budget days warner animation studio race road runner speedy abysmal almost nothing footage left languish film vault aside though anyone say original looney top quality opinion five star like gone wind certainly enjoyable type movie would anyone looking good rainy day movie would terror struck home would risk contamination save one would trust government help infected could news truth must watching right door apocalyptic suspense thriller vein bug series dirty encase poisonous cloud husband infected wife must struggle survive opposite sides plastic sealing home mixed fashion filter radio television couple must hide avoid capture suspicious military film emotional chord wake tapping real life hit close home director hyper kinetic style frantic pace panic streets tiny outside world media create huge scope small scale script like go due cramped shooting location jarring suspense sharp maintain steady forward momentum limited cast deliver powerful effective also serve drive emotional high start finish lock seal pop right door smart frightening disaster flick carl like horror wow ending good movie gave one lot food thought like breath fresh air though may best least better might believe best story line decent glad actual gave good unknown element skip science behind without giving spoiler let compliment twist appreciate effort film rather plausible real life biologist hold potential nature mixed viral perception reality spot would situation would happen family caught middle something like media government start give movie unprepared people without excessive special effects also mary talented pretty movie looking right cross see coming say made think left little cold unsettled end disturbing good way series around la one man alone house listening radio news via emergency broadcast system safety wife works downtown area unable reach retreat safety home wait horrific news comes disaster torn need stay alive desire life intense personal drama people caught worst disaster ever face serious people would behave pleasantly thought lot small budget believable lot tension foreboding great camera work great ending recommend movie good little end world movie really seem like took much budget really carry across first watched pleasantly unexpected plot twist end really made want watch share significant felt way film unexpected ending found movie watch multiple times though second watch quite interested reaction would receive person watching first time whilst watched multiple times without boredom one one time watch female wife could lot depth emotion felt reaching quite bit made uncomfortable watch male husband felt pretty strong emotional depth really carried entire story real normal looking cast damn good job mist better simpler version essentially story budget movie made satisfying watch reviewer lived missile crisis many civil unrest think prepared dream really unique different horror film sure really enjoyable surprise considering toro pan labyrinth make film like pan labyrinth film foreign film definitely superior made horror laura year old woman like though orphan childhood returned childhood home converting home special needs husband adopted son beginning film son saying made new friend one party opening home laura son mysteriously without trace rest film laura trying find son son imaginary friend angry ghost ago laura slowly many ago slowly goes day one music music creepy suspenseful horror film well done action expect bloody film stupid ghost story like film almost exclusively dialogue occasional scare film frightening damn sure job done category film superior ghost film ever seen well executed feel except part rip poltergeist film whole quite brilliant even quality boredom film also one bizarre ever seen definitely leave going f good way acting awkward good whole dialogue never really corny felt real time actually feel props great overall easily one original horror ever made definitely better ghost find buy good great acting great music intelligent creepy imagery bad boredom questionable acting toro got behind movie good reason around unknown gnarly path twist twist well done look forward watching good story line kind slow though way movie everything actually ended like ending thought twist movie said true movie interesting good thriller good horror film following three fast moving narrative sense mystery foreboding doom end usual jump seat shock scare tactics enough example eerily common dark house reasonably well three however scary movie great one truly chilling macabre scene revelation hair stand end long rental goes back aspect movie trick sure couple face covered anticipation going come next none blood effect reason alone give otherwise fine movie creepy tale missing desolation cross ring pan labyrinth well done horror movie certainly proven adept fantastical let good story scary stuff know even realize highly nice work wife movie like work like wow wow wow say movie kept interested second film wasted suspenseful end creepy truly ending director pictured story peter pan tale mother fabulous one good devil backbone still really good good feel end despite ghost stuff brill one best horror seen intelligent puzzle without gore atmosphere spookiness well done really well done creepy dark film like ghost genre love one saw originally came theater ordered horror buff friend somehow feeling something horror delighted mysterious atmospheric ghost story house tension slowly like alien apparently reading huge annoyance get plot less known better say film people solid attention span enjoy moody film anticipation unknown cheap head worth feature couple ghastly bloody enough modern horror mean say think might cool horror flick might disappointed horror many little horror different film creepy ghost story category addition ghost story also story loss family past also mention becomes potent mix creepy poignant unlike sixth sense feel look mood may enjoy good visual style effective musical score turn away movie lean toward big blood revenge satisfy craving like feature strong atmosphere dread dark go bump night supernatural give try well done psychological horror story gore horror surface excellent cast script atmospheric setting faith death immortality viewer may see something new watching second time modern horror often receive sharp end stick comes criticism good reason repeat tired quite frankly suck take example last year bargain bin buy feel absolutely remorse never watching like many horror absurd set case family leaving city plant sunflower farm around looking house huh strange form moving cheap finally twist ending usually sense whatsoever ensure everyone fortunately going devote attention trite siphon money mostly teenage fortunately el hereafter title turned nothing like affair would like point however audience loudly fact movie reading much effort probably reading digress go see movie one call would probably happy sans audience exceptional deviant norm throughout showing outside presumably complete eerie scarecrow protect nary seen hey movie suppose scarecrow norm talking one laura leaving happy new home jump forward several laura grown husband adopted son roger moving laura grew pretty odd movie much quieter place abandoned several prior apparently laura intend turning school help handicapped like son technically special sense however rather terminal illness several imaginary debatable learn frightening old social worker one rainy afternoon talk manage piss laura promptly door old bat real begin laura head beach explore cave something totally encourage small try alone cave new imaginary friend play later point forward met wonderful imaginary teach new hide awesome laura seem mind perhaps given isolation wrought upon son dragging encourage behavior later evening laura another run dodgy old social worker needlessly notion something awry anyway laura settled host masquerade party future think south park ball labyrinth terrifying even without particular eeriness little standing party wearing potato sack mask notably similar scarecrow prior party meet potato sack head party laura argument whether attend party see imaginary friend hideaway first bout figuratively tail parent portion audience sort thing time get back creepy party problem come back ever laura beach search son cave getting swept away tide search rescue crew find anything stage set unraveling mystery behind laura fervently despite somewhat silly set mystery truly fear really compelling mystery necessarily present ample force much psychology loss prevalent throughout remainder film disappearance harrowingly loss compel desperate carry addition gripping tale personal devastation childish ending difficult predict remains one long film also several effective thematic frequently obvious thankfully film never audience accept existence one character film ghostly echo scar location also j tale peter pan numerous nostalgic sentimentalism melancholy atmosphere especially emotional ending another interesting thematic device used premise german superstition close death able see otherworldly sum despite nonsensical story made feel like watching movie rather watching story unfold heaps depth emotion suspense along plenty one suspense horror proudly claim become personal staple showcase family need good scare ross laura childhood turn home special needs son roger difficulty making adjustment number imaginary multiplying however laura wonder whether imaginary truly imaginary police give search husband help psychic laura search help psychic see believe must believe see laura must faith find son beautiful tale love faith magic believing believe time picture well feel sorry el story laura husband adopted son n laura adopted spent time younger adult family thing handicapped many ago take care find n much different age couple imaginary new one one day beach cave start get strange something going may never left able accomplish creepy masterpiece every horror film past ten tried say good horror past ten handful one close top apart horror rely cheap try scare atmosphere works well general fan horror whole different level though also one original horror seen quite awhile quite relief sure kind sick sitting movie realizing movie movie homage three one film saying bad thing originality hard come days embrace open arms also like whatever movie toro involved wrong know produced film still yet see movie name love think film everybody though looking next ring grudge wanting blood spewing probably want look elsewhere looking intelligent thriller heartbreaking yet beautiful think movie look rating interesting well usual cutter script horror film heart like one worth atmospheric stylish storytelling shot typical horror film subdued lighting couple film though said really would nicely done film ending brilliant touching wish would done cave location simply stunning moody didnt mind much movie switched frequently watching anime movie frightening thought would works leaves thinking something scary coming around bend right behind works due acting main lead character running rampant house around house used live orphan husband child move house start innocently enough minus visit creepy old lady might alive hosting party son madness start getting crazy violent horror type movie thriller horror thrown well end result solid movie really even ending worked well although movie slowly director leisurely pace outweigh movie vaguely movie however imperfect end far superior genre especially craftsmanship although normally watch least one take seriously made sake sudden nonsensical like someone suddenly approaching behind sudden klaxon coming make jump would given end totally predict rating note went thinking movie directed toro since name everywhere originally drew film till watched actually one directed produced whose el pan labyrinth certainly inspiration first time director stir also come mind perhaps th story peter pan may main inspiration film story boy never grew stayed neverland point view mother unsettling scary moving intelligent show us identify main heroine orphan many comes back house used share childhood also open house handicapped little know old house deep may affect life sanity good film creepy heartbreaking final hey people man live speak like lot beautiful language read people generally poor school education president interested steal public money instead work people tell truth lot people capacity read listen movie think movie original language speak please respect would like answer made heat would much ray biggest country one world market please put made chile happy sell much first time director reverence classic horror house thriller ghostly country past suspense horror genre given tip hat even opening pay homage rapid succession classic vertigo successful married couple positive adopted son buy dilapidated abandoned wife lived child intention turn home afoul young son presence long dead well master classic jump seat scare sudden horrific image grotesque face killer bloody knife suddenly screen subtle equally compelling hand reaching door shut absorbing somewhat traditional story bit unfortunate story eventually tone film last half hour becomes fearless damsel distress climax entirely satisfying cast fine notably child actor roger son masterful blend innocence mayhem chapman part psychic investigating team perfectly executed segment technology supernatural highest though go creepy quiet second guessing coming home night sub like toro usually get feeling watch king movie well done end one unsatisfied something missing put finder could great short good acting good atmosphere felt missing little something movie real star see mean watch star use scary enough hold attention scary handle disgusting horror suspenseful excellent script plot though help feel got done watching top special effects music necessary acting plot enough provide natural eeriness found modern horror suspense ending little feel good taste appropriate probably way movie could ended problem movie read movie excellent movie character study horror movie movie great job puzzle mother solve get son back movie scary gore minimum level horror losing one child horror enough acting superb plot finely movie minor story nicely tied together end give ending almost nicely product time however chance watch movie yet comment content well like movie uniqueness great put finger cannot give five star yet overall like workshop scary amid genre movie dread room watch moment insight look us despair great movie making run get put quite scary thought seen trailer blind buy like better seat good horror film must ray el horror film directed produced one creative around today toro pan labyrinth conversation brother day horror often unintentionally perhaps rate scale four five star horror film probably four five star drama really four star movie typical horror fare let call supernatural thriller instead nominated seven film briefly see young laura find leaving later laura return actually living husband son n n several imaginary plot series effective believable turns would mistake give anything else away really impressive far film like go good acting smart writing solid suspense movie unpredictable waiting find preoccupied engaging screenplay atmosphere actually much focus forecasting made excited go along ride without even realizing trust film right times caught guard film far rewarding watching movie kept thinking changeling sixth sense even toro devil backbone probably think like minded supernatural impeccably well give high recommendation probably best movie kind well done spooky ghost story devoid whiz bang special effects effective building mood mounting creepiness superb entire cast bittersweet ending horror film little slow first better goes along good creepy give definitely worth never seen well average house film emotional scary could said producer toro story little familiar length classic film status although last something moving thoughtful currently made wonderfully mother whose child well shot well kind film look forward watching sure even uncovered one best scary seen recently eloquently story line written nothing like top horror come recently every little detail movie sense purpose obscure pointless acting quite excellent well great casting fan foreign scary great mash although difficult keep covered reading still view able gore fright viewer really good movie movie main voice cannot watch movie listen language though like reading avoid movie bother need check one movie partially made toro creator pan labyrinth new director movie though expect follow movie movie complex really pay close attention want understand added difficulty comes fact read still pay attention tiny would suggest watching movie two three times settling whether took second watch understand everything movie actually almost perfect far story telling goes understand everything see everything together like puzzle create masterful story story laura orphan good adopted family movie thirty seven old husband child moving abandoned start home special needs child n quickly learn adopted however truth hidden old enough understand n always imaginary enter gain n mother play game follow stolen treasure imaginary make wish laura along eventually treasure money regarding n adoption n angry room laura husband sit explain n still upset next day house warming party see would let stay n join part laura comes small home one imaginary laura part childish game longer disturbing child laura later party mask event n missing laura everywhere cannot find story laura trying find someway find n ghost tale horror movie every mystery also disturbing thought imaginary still feel movie based around plot great thing horror get sick seeing stuff movie extremely hard comprehend though making praising film anything musical score phenomenal always scene sometimes feel acting little abnormal considering situation looking movie norm everyday horror pick one looking old scary girl horror movie move great suspense plotting use novel idea scary movie lead character perfectly cast time stop come new movie nice example regular cutter movie worth every penny sub done well mean left long enough read movie gory acting good considering never ordered movie film married couple terminally ill son move former homestead mother dilapidated strange begin happen typical ghost story found ending endearing find usual jump make leap seat intense gore atmosphere sufficiently eerie frightening film give gander pleasantly one better last several personally thought good better like drag hell devil backbone trick r treat th sense though one thought th sense rated grudge ring one hand hard call extremely original almost like podge let say many big major horror last th sixth sense dark water numerous creepy old house name guess horror flick totally original still pretty good scary also say unique soon forget tend afraid strange night may particularly enjoy sleeping nights horror creepy old large bump night setting old countryside family comes complete long dark even proverbial old quasi creepy chapel hanging saw definitely made audience jump one attention rarely deviate screen definitely one better ghost ever made also love story works many nice balance framed beautifully scene banquet one favorite last ten story intriguingly original giving distinct feel documentary viewer wondering really drama factor several fold hard believe spooky whole reason gone see film disappointed acting utterly convincing fact still sure happen shooting documentary sort easy pull reason four five couple cut really five gripping thoroughly scary documentary well done intense unique story line predictable mind story tragic time release film rather review later know coming seeing thought pass along found via ray picture p master audio special laura grew horror unknown effects secret room still similar pan labyrinth film directed toro one reviewer changeling one ghost opinion well toro produced film top ghost story listed changeling perhaps influence going give overview plot movie need know good ghost story underlying deep heartfelt story fact writer director able accomplish credit want good scary story without gore violence nudity movie mike good movie wished movie would also come touching end good creepy movie looking plenty bitter sweet ending recommend seen c film changeling soon possible watch freak similar pace film often see mother strong performance really movie together worth seeing even though people realize going people find little film shelling see guess movie exactly downright scary seasoned horror share genuine spooky lot days obvious camera work narrow picture create tension annoying many noticeable times completely distracted whole film movie plenty keep interested whole time excellent film first time director like allan poe poem along devil backbone special edition two disc collector edition film great movie creepy right suspense throughout movie perfect pace basically perfect formula film first acting phenomenal every single actor especially bel n exquisite performance comes naturally film perfect formula horror movie herein one film formulaic seen many horror suspense able predict film bit predicable horror fan movie still deliver great suspenseful made pause become absorbed film film great building suspense every scene movie great great horror left wanting see cinematography direction best movie great feeling suspense throughout pretty good left many unexplained think many inconclusive unfinished still film really good one watch first saw film theater opening night watch since love director watched right yes movie paced arent flying everywhere fell right asleep within really great acting good emotional ending claim poltergeist many creepy old lady medium mean ripping anything almost every ghost story medium sure going creepy old woman fact movie didnt scare great suspense movie yes cry end instead trying knock door would screaming head one favorite bit unfortunate well better late never right case known dub issue great please continue film slow moving enjoy fast paced horror done right course pace bother cannot speak everyone building suspense great well story telling probably best person ask scare factor scary horror scare casually watch like day job say movie scare someone might also cringe worthy particularly scary even acting based cringe rather gross cringe thinking one certain scene besides great ghost story chilling creepy emotional atmosphere would recommend anyone interested horror ghost amazing touching horror film give try seen already watched movie tell mind well worth watch although read writer great job story line missing us film industry today good unique story film childhood death motherhood produced still dark similar say pan gruesome even watch meet laura woman used orphan adopted son potentially fatal sensitive lonely child imaginary circle imaginary grow worried arrange party new home used laura grew adopted long police whereabouts love laura unconditional find little boy matter cost point see true motherly love also heartbreaking learn ultimately death partially fault film idea living family left behind strong people close long gone laura strong son around laura husband presence gone another world bond certain people unbreakable two sustain us times grief emotional pain powerful pan labyrinth touching nevertheless watch many scary really like way one hearing audio volume way feel key thing remember thinking ghost story horror movie idea intention creep viewer give viewer pleasant kind movie merely fear afterlife worthy living comes current revival ghost story within cinema fortunately endure many language like many misguided recently get see original original although remade terrific film like devil backbone viewable right film simply history language place deserted old mansion prior main character adopted son physician husband reopen facility home special needs mood movie one foreboding right start could dusty old place every inviting home anyone sure enough right away young son see quickly new imaginary make nothing new whatsoever awhile might suspect ridden story comes opening day new arrive sort welcoming party frantic search mother prospective next bit movie see mother descent obsession convinced find son convinced taken naturally husband believe neither police one point ghost international kind scene psychic comes house scientific crew psychic unusual effective casting choice crew higher gear depart eventually left unravel needs want reveal much plot part fun want movie fairly surprising plot revelation finally bittersweet ending combination sixth sense dark water poltergeist artfully made film atmospheric much unusual story mood technical work breaking new ground bring genuine feeling sadness true glimpse mother son even mother need well film bel n really terrific mother laura virtually every scene drive film experience fragile woman pretty large toughness needs nearly satisfying watching character grow see plot movie cover new ground show us anything seen skillfully made irony simply works pleasurable ghost story indeed one note r rating one f word otherwise think r much death jeopardy think film fine anyone want new spin ghost story falling silly formula may like film heavy atmospherics psychologically realistic cannot guess go found riveting frightening always wondering would turn anticipate resolved indeed original sure watch many times nuance strength story woman return give received beloved son none early mother turn discover went film viewer woman past present discovery choice brilliant yet different least assumed would enjoy good ghost yarn proof positive quality triumph even bare outline really family creepy older establishment case abandoned dark past people horrific laura woman raised child returned husband adopted son roger open home disabled time flat however begin going bump night mysterious could trying contact living could end anyone even rudimentary knowledge normally play trouble divining debut director real flair macabre every house movie every door every sudden apparition comes way somehow new fresh perhaps artful imagery fluid highly effective three combined account movie effectiveness whatever able imbue even mundane object playground ride child doll utmost menace dread clearly done homework times film channeling genre namely omen poltergeist especially high tech ghost creepy psychic original version quality work movie homage slavish imitation people may divided story resolution finding either immensely satisfying unnecessarily corny one deny genuine suspense one better horror past several best best seen come every element movie loving put finishing every scene would ever see acting laura good loving mother panicked distraught woman edge disappearance son case also give good standout movie director worked magic cast crew bring story life beautiful home cinematography short inside home beach cave town accident mood thick enough cut knife seldom seen genre mood make break movie writer director able turn work visual audio art real movie drag bit times tension buildup always rewarding would seen shown need gore make story good need payment thats ruin story movie exciting terrifying could child good bad twist story kind let family especially laura rating story acting direction mood fear factor gore one scene nudity value finished watching afternoon say sure expect away extremely satisfied film edge seat although say thiller horror gave movie bad based say feel sorry great piece art fact reason right order copy give film chance believe pleasantly hardly disappointed watching movie felt little undefined movie psychological thriller turned heartfelt drama near end cliche horror movie heartfelt effect though one two might considered gory certainly worse something might see movie like grudge plot woman laura grew comes back one day buy place live husband adopted son son imaginary collection laura disturbed believe real one day laura one told adopted escalate creepy social worker lady visit laura concern laura open rest movie spent searching masked ball ending would tear confused point movie genre supposed thriller right still like movie oddness lot better many watched made jump mostly drama regarding losing child horrible meaning good plot twist see coming near end movie worth like mind interested know whether original story written film screenplay based book either way high class ghost story tension suspense seen film many stand amongst good cast leading role laura performance former child resident returned property husband superb nearest recent film could compare however unlike film felt much involved film certainly keep interested full well level throughout length well yet another torture movie requisite number hacked small neither film endless misunderstand theres place watched many grateful something different every often different paranormal thriller sensual creepiness excellently sound intriguing cinematography character though suspense trickily directorial debut film producer toro pan labyrinth toro spirit world mundane effectively refreshing realism departure though couple would considered graphic story compelling definitely sad protective enjoy old school spooky one classic choice movie physical format prefer digital format reason digital format film set apart movie however version film also add insult injury yellow rather hard see certain movie said movie even speak difficult get seriously involved kind movie unlike pan labyrinth really enter world movie recent found actually freak like one always looking rated subtitle issue would ranked factor sum highly recommend movie anyone figure good mystery set edge seat really love movie would understood saying without struggle read language contender best foreign film language first feature film accomplished assured one writer g director however produced experienced director toro pan labyrinth slouch dark fantasy picture shining chilling example due remade crossed really well made film photography color scenery excellent script tight well organized sound good though perhaps swelling sound went nowhere suitably enough film haunt days see house genre intelligently restrained variety like also director usual blood soaked gore fest aside one two brief shocking tone though light tinged sadness catholic good use peter pan story motto believe see turns strong picture carrying job laura year old woman huge creepy seaside mansion grew church run doctor husband adopted positive son roger couple plan run home mentally handicapped happen imaginary friend host frantic search laura drawn back past house past turns sympathetic medium help truly moody atmospheric left wondering bit though course movie ever airtight would still set times long departure right wing former dictator franco unlikely church long passing would still able cover great past one film elegant entertainment indeed excellent film ghost story sub genre even appeal horror film usually reject may detract bit scare factor effective spooky imagery music highly atmospheric setting soon make viewer forget spoken language title like many classic ghost story changeling come quickly mind play large plot theme film horror viewer must able suspend disbelief concerning unlikely unrealistic plot film well mostly well known average movie though starred ago classic perfect white faced medium aurora movie beautifully well directed brilliantly involved recommend anyone looking spooky stays foreign film toro director pan labyrinth determined revive ghost story quite frankly need many horror throw blood gore screen hurling everything us attempt see sticks appropriately us sick gone suspense terror like wise carpenter original skill riveting us us away dark horror seem determined use many special effects possible recreate vial suspenseful frightening merely sickening especially nice see truly creepy scary ghost story produced toro directed brief prologue us situated near ocean headmistress phone call becomes apparent laura outside five home soon leaving comfort new family many later laura husband adopted son roger laura husband building care five six special needs continue new invisible friend talking really nothing new laura invisible really concerned laura beach explore laura suspect something different party celebrate opening house laura run strange child wearing scarecrow mask laura search desperately following every lead looking everywhere meet man help medium aurora daughter infrared equipment set everywhere watch aurora every move communicate presence particularly harrowing moment comes back present many roaming house six precise laura becomes determined find also unravel behind house much horror shock value setting mood transpire suspense moment laura return set home know made bad decision would laura want return grew set new home strange first drawn back place tie making return learn laura plan reopen home care development laura give back help kindness received child leading take huge task laura go setting house try provide normal family life special needs try deal address needs try go normal every time hear crash laura fright worker somewhere probably cost money delay project great way divert attention give us false make real even better get settled begin explore grounds laura lighthouse bit away used find comfort light spend lot time together begin explore grounds one day enter cave beach mother new friend laura clearly invisible life give little regard two ready open house throw party welcome everyone laura run child wearing old smock like wore child bothersome child also wearing burlap mask big smile painted child realize gone laura put everything else hold search son going amazed well feel impending horror key success realistic everything laura impending dread almost palpable great job making seem real film relationship laura natural turns real way everything high gear medium aurora reluctant go along wife lead laura willing try anything everything find son aurora set elaborate recording equipment throughout house put old bedroom watch communicate spirit house almost immediately contact walk house trying find need aurora follow progress laura watching everything grainy green infrared follow progress believe actually communicating hope able make sort breakthrough great job making character believable scary yet natural aurora communicate dead reason protest people doubt truth importantly sequence effective watching along laura aurora see materialize thin air hear aurora trying communicate hear cryptic best effective making scene creepy spine tingling laura search truth finally revealed feel everything guess long story short know late trying say toro quietly trying revive ghost story horror film us feel genuine behind making scary earning fright intelligent well made might prove influential current crop torture successful mood impending horror terror dread none become accustomed horror thank goodness first movie gave genuinely awesome hurt watched midnight ray middle windstorm wow remember gory part really bad going like one great atmosphere camera work nice picture quality except noticeable grain every great surround audio little skimpy sometimes put incredibly heavy dialogue mind overall looking excellent ghost story dark windy night go wrong one check devil backbone also great ghost story devil backbone special edition watched film struck traditional horror film written heart broken parent dismiss film horror film real supernatural sometimes supernatural us explain happen way deal like sixth sense jack innocent wise miss el directed barcelona born film rather remarkable effort like classic ghost story film cleverly familiar horror genre atmosphere logic works following contain mild spoiler story laura bel n comes back abandoned sea left place raised little girl laura going open new handicapped husband son n everything going well however strange start happen finally party n suddenly spirited away say ghost story supernatural thriller whatever film success bel n laura star literally becomes character tormented mother whose beloved son long missing acting strong character sadness sometimes painful see ultimately becomes intense mother son drama even though son always true narrative film particularly new little boy speaking imaginary friend old house dealt many times something unique something curiously stays mind long watching film hard describe nature maybe shocking missing case maybe film spooky ending say see film produced toro pan labyrinth first would like say overall enjoy movie visually elegant compelling acting also nicely done however movie grab way pan labyrinth film basic premise telling child ghost fairy story however entirely original ability update retell basic formula movie ended feeling like cross poltergeist pan labyrinth little bit night thrown good measure watching work finished left feeling somehow story feel like fully came together end latest supernatural film definitely feel toro influence directed based screenplay film enchanting creative horror film devil backbone pan labyrinth much like theme fast paced horror thriller usual film clever inspired production nudge towards imagination imagination innocence lost grow corrupted personal childhood home mysterious seaside laura husband reopen help underprivileged well special handicap adopted son roger also suffering quite posse imaginary strange happen home mysteriously laura must confront past otherworldly everything plot complex intelligent powerful script viewer may even give feeling fable film multiple trying say listen telling childhood adulthood danger stationary time film mother point view certain fairy tale stab imagination take film execution full intrigue welcome break horror us creepy eerie feel times dare say also seductive film also emotionally driven take time us get know laura mother bent helping actress definitely supporting carefully story film may support slight issue excuse minor fault since film full length directorial debut laura mother much tuned husband rational kind film intense curiously enchanting pace laura finding son introduction resident psychic aurora policewoman pilar controversy plate since obviously set confuse laura viewer aurora real medium con artist difficult review without spoiling lot effect believe stop say anything else suffice say something scary graphic scale experience give non stop visual film may get wrong film share credible shock value kind imagination type feature entangle web entangled better enjoy film genuine attempt creeping pants perfect execution spirit world storytelling leaves emotionally driven climax sensation terror disturbing comfort highly video audio anamorphic clean impressive transfer accurate colors digital language track powerful clear excellent making make effects marketing like show much great music times like back draft surprisingly well considering score pacifist message still resonate today take trip back time good play better best music time remember well youth opening scene best lots good musical definitely worth know see later least although care movie dancing singing good well story wonderful series like good wife really enjoy law reason watched show love good wife show comparable structure exciting character point danger plot getting interesting place close say like better without would definitely continued watching series gone watch act really believable good story series like life happy sad alternating main character immortal like main character highlander irreverent able see way like main character life although many new many enough make uniquely original acting great story line believable degree hard fathom immortality good show well worth watching like show see already two example bit knowing main character almost psychic advantage wisdom living keep mind ignore know first listen like lead character though actor whose name destroy spelling good job walking line humor sarcasm good emotion one scene pilot heart crossing face excellently done premise neat one like whole idea searching soul mate like fact clearly really searching user abuser search pretty liberal approach humanity like well photography nicely done well showing new york shifting early life current landscape compelling show man blessed cursed immortality true love great cast well written family really new bitterly disappointed everything class good acting interesting story great music wonderful recreation historical much garbage go away sons watched new since first episode find interesting premise far good story aware pete connection since read book mar enjoyment show watch much television together family good find enjoy together really like personally hope fox new around immortal detective working first glance new plot would appear similar knight trilogy part moonlight complete series feature investigating human however immortality selfless sacrifice front native woman fierce battle fatally shaman saved telling remain immortal met flash forward hundred working homicide detective best friend person know secret current dog many fathered watch age wither remains untouched time alcoholic drink since several photography painting woodworking antique sell large something missing massive heart attack chasing suspect crowded subway platform pain heart shaman foretold true love must platform meanwhile new partner green come sort mentor even mystery woman subway platform assigned variety show momentum procedural investigate particularly memorable exist plot parallel similar forever knight coster actor good job anguish leave behind unique job acquired experience slight accent general terribly given character grew speaking dutch visual design also special mention particularly opening visually imaginative seen new originally episode series put mid season replacement eight despite ended mid season steering story obvious direction shame new chance play despite homicide executed style wit looking similar story pick watching first say enjoy new though original use one unique flavor always people immortal highlander one favorite much tell human condition one lived like show one immortal well far know find hard believe immortality would one else even one thing plenty pleasant character show show character driven cast works well together show chance know fox good look serenity drive go show well worth watching play well material three plot romantic homicide case conflicting done excellent job three weak point crime drama parallel plot rather fine job standing place wonderful banter look well wonderful show really enjoy great superbly well directed drama small cast limited worth paying actually think really wonderful offering free although seen thing book still fun read josh witty guy lot fun fun watch team making progress supposed soon date love show looking forward getting previous really say went astray say born fundamentalist never information peter watching ghost via satellite almost beginning seen original read grant say believe may exist want kind evidence kind proof paranormal investigation team work premise attempt debunk paranormal gather evidence hard debunk dispute left evidence may actually support life death e ghost paranormal activity ghost works scientific leaning technical equipment k digital night vision thermal sensor equipment paranormal utilize spirit like discount psychic evidence hard prove debunk nevertheless like paranormal state paranormal broadcast e place well certainly interesting psychic like chip coffee quite interesting fact watching many gotten bit mushy late even original program used display medium readily short psychic like peter also quite interesting peter science philosophy religion come afterlife reincarnation karma interesting material case paranormal field interesting one really like see legitimate psychics paranormal like ghost peter life side fantastic show got hooked last year rented previous bought season purchase rest agree music little annoying want hear thing like case come kind hard pop together normal case love show though wait see love show since first episode think first great however agree one needs lose music evidence investigating first made feel like part team involved everything made feel like outside one gang still drop music taps get next season love gave birthday fun revisit think josh team bit together future though josh really show fun entertaining first giving show one star never found get life hard find something exist skeptic still love show personally think whole crypt zoology angle excuse get travel far exotic fi dime josh funny entertaining travel channel program really want find something waste time like traveling learning little different seeing get believing see love destination truth series love tongue cheek humor get see first season first getting set could finally see first season quite different later though easily see style later season little serious cast seem little bit times still one favorite series fun watch also interesting see many culture across globe name josh world searching unexplained done quite explain personal opinion documentary show besides regular ghost series worth watching josh crew show camera sound crew joining hunt instead screen travel around world seeking mysterious terrifying known man brazil south beyond team truth visit country go uncover namesake truth also works team sometimes go exotic ghost hunt well many ways show monster show josh perfect host really good sense humor team going even also quick little nutty like show much even ghost hunting like highly recommend set first season show ever seen six believe well worth price get channel new interesting series thought give go humour made anything show josh charismatic show well known ill light paranormal show enjoyable watched show together since inception review colored warm love show humor sheer fun cast wish point josh would actually find evidence looking least approach healthy degree skepticism ryder personal viewpoint well worth purchase price great show around great care package feel little expensive want complain entertainment enlightenment show reveal world live naive existence ever adage journey destination appreciate quirkiness sincerity pursue continue support show look forward additional push six seven season budget bring give episode season well josh entertaining season later comfortable host role still though come lot closer finding series ever monster quest search good example spoiler warning first episode go looking supposed dinosaur never actually see anything island determine must crocodile living area season however realize short hope future longer reviewer like show nothing say found series fun quick interesting think like check series destination truth disappoint josh dark comical way sure keep wanting love ghost lost doc type love destination truth reason could rate season lack season comes want wait till season comes know like stand award winning show good suppose doctor like going end time late still made sure would make best could pretty good good episode light ace history companion odd episode odd worth time watch trying catch classic new thought thus interesting thought provoking take black white illustrate idea white love wish husband addicted love twist turns want watch second season looking closure get want see great acting almost every single character watch away one early get memo lot unanswered still air enjoy series sorry ending good always fun watch show something unexpected always season first time watching show even without seeing st season engrossing downright acting great believable often sad engaging bizarre believable premise interesting slightly creepy course probably total downfall yet keep landing great television young think huge come riches dig show hope make movie tie loose always like know turn story really us care sam please tell us disappointment wish wish wish series mid season writer strike thought show entertaining story original comedy action drama good story good like much thought would comedy family waiting season three super series acting excellent story one kept talking going happen next wish another season big mistake series great potential especially since height breaking bad however glamorous role thus authenticity minnie driver izzard fell short woodward felt true character little boy cross dressing son also great series glad like average today trouble vote fun mix entertaining obviously talented intense personality like focus show reality best season worst either want use love show slight video delivery though hung middle though may cable issue product streaming issue watching top chef beginning always find entertaining focus creation sometimes show much clever wall really show season guilty many short order cook type season rocky part focus food watched restaurant episode several people never seen show fascinated everyone also egg station challenge learned new cook show uneven overall great see focus food personality course end must create something show well done however supplemental material well done also problem supplemental material difficult get back main menu like dislike episode see something friend mine overall good think without hammering head special effects thought provoking low budget film worth effort heart story way also film story refreshing fact manner part drama implicitly thankful quest obtain particular story despite furthermore genuinely care well experienced highly unusual style allow relationship unfold screen many us experienced assault lifetime learn safe rather tenuous term comforting see someone like put front supportive role least found film documentary certainly rent veil good old days old film interview made much less easy obtain nostalgic feel might usually glean men dogs uncle self dog furthermore need aware ever cynical less naive days think believe would find tad bit dump case days still today inordinate amount courage attempt hold someone accountable terrific violence us anything appreciate giving opportunity vindication well chance experience albeit vicariously sort weird justice end movie real touching old life family well everything real film really hit home thank god got like done distributed quirky classic unusual insight real th century live abbey movie also goes title sexy mysterious confused struggling somewhat anti social writer observing across street neighbor beautiful angelica fascination soon turns obsession obsession stalking long deceit murder enter picture everything anything get angelica life would probably earn label dark comedy quiet suspense grim kind subtle humor well like watching train wreck cannot turn away think know going happen well play spoiler although low budget look feel cast used well good story check fun really crazy film first quirky get great spent time total past know city teaching accurately nuttiness city nice flair heart muscovite highly recommend film really took back treat hilarious times one classic looney shorts dont make like used great still laugh drama behind extra shame went air excellent thriller give four based video quality since find elsewhere something think people see quality issue well worth message short movie watched middle school always find really poignant even recommend fully show classes finished reading novel classes gave great insight story movie well got going third try however original run quality best saw freshman high school many ago class reading boy striped one could easily persuaded worked like charm like ago teacher us still valuable use teaching yes permissible showing high versus german version based true story great example see ease like woman view refreshing really miss show favor watch past see brill hostess think rather stupid anyone skull horror set really shocking better yet honestly bothersome people suggest go attempt buy sense humor instead season one great favorite cigarette deer woman least favorite episode thinking could write like episode would make sound like wrote episode getting came individual sleeve bonus disc unfortunately able get sixty set feel season two family good favorite episode series overall second season disappointing weak hard guess season two box set probably unless find cheap bottom line spend money season one rent season two ordered love series particularly want need skull case well option available time ordered actually pretty neat came loose though negative love set complaint great skull love look much desired careful handling trying take chose place binder use skull display joe horror anthology series easily controversial high point season one alternately brilliant complete trash middle political zombie satire needless say contemplate would follow divisive little tale well season two solution certainly provocative topic ultimate battle suspect lot less likely engender passionate debate criticism however think episode one sophisticated seen far end world new take apocalypse genre virus affecting men discovered man become sexually end turning murderous rage needless say bode well world rage directed may surface seem bit lot misogynistic disease handled well real unpleasant taken lightly include priestly trying combat virus may take ultimate toll may scary traditional sense looking quick premise chilling disturbing appropriate gruesomeness tale well sometimes harrowing emotional context found often horror series fact film thought might scoring episode pleasantly tale end however may bit bother brought real domestic dilemma story forefront last minute film us unnecessary explanation whole catastrophe unnecessary worthy terrific tale went wrong end keep one best show offer told wife getting birthday went absolutely moon already made space shelf next puzzle box set horror set crypt look great next blade runner set fun unique collect enjoy ho hum boring half fun release latter category great work anchor bay regardless previous skull pretty dam cool sturdy hard plastic long seated properly fine probably box set would display skull also nice paint get nick picky anyway people find look complain anyway long set second season phenomenal horror series done style tales crypt much better less cheese downright gory great horror style must horror fan ever read poe tale intrigue suspense black cat murderer dead wife cat somehow suspenseful horror series poe second season episode anthology series poe drunk suffering writer block home see unable pay bar bill thrown rear several times interesting alcohol two money wife suffering consumption blood quite realistic poe goes one point piano going sell suddenly piano fine alcoholic delusion viewer kept guessing throughout hour episode delusion real poe crushed half dead bird goldfish cat eye damn hard hard watching know wife later consumption axe another sight want wait see well dinner story yet fairly familiar poe tale black cat autobiographical real thing alcoholic delusion comes film animator slightly crazed yet eccentric part poe even like famous horror writer drinking whiskey may break writer block horror story may highly timid sensitive stomach hip new show real kicker title especially someone interesting fill important office wonder even could understand non rare really keep us following plot like early movie top effects carter small town football hero living successful life la selling beautiful burke everything guy could want one day world comes upon fired cheating home town r rated sort think life action plot driven film slow give feel carter easy paced life home town gang grew still hero townsfolk almost non plot predictable pretend much morgan frankly great could woman half age accent really bad deep think hard pay attention stuff going background simply love small home town big city film cover art really stupid sell film something parental guide f bomb brief nudity sex stairway heaven u name film matter life death romantic fantasy film roger kim directed team pilot brain tumor really die go heaven argue continued existence based new found love separate tables golden globe moon blue probably best known role around world days terrific film nearly kim new found love golden globe streetcar desire role broadway perhaps best known modern zira planet series heavenly prosecutor grudge best day shot west series made nearly remember best top portrayal brown fe trail another excellent judge deep sharp although probably best recurring role hadji master genie dream best merchant film written produced directed th producer writer director among pursuit black tale active period like lion th parallel nominated times th parallel red one aircraft missing best writing th parallel worked often th parallel stairway heaven tales pursuit film designed improve war theme although mostly subtle manner photography great celestial heavenly special effects effective especially transition celestial black white earthly color done well biggest song south duel sun best postman always twice blue skies big winner best picture director actor supporting actor notable frank wonderful life bogart big sleep burt yearling roger film one audacious ever made modest hit u much better one best time film reminiscent life classic two bottom line real treat well paced well executed instructional video production quality instruction point depending state learn different basic step still fun informative well paced video mind interesting see broadway vaudeville duo already movie within movie constantly comment medium film think meta commentary new welcome irreverence anarchy thought funny one unique style individual vary depending like personal last girl last guy watching good stand particularly memorable either pick color scheme cycle repeat great live even ran projector back white tarp create wall lost disc buy second guess back wish wish available digital full disc know area video like would perfect first kind boring necessary since history rest surrounding area offer video however production pretty bad video black top bottom even worse fact audio way sync video luckily see people talking often problem video whole production like made small town company know small since would think would better complaint like went far talking surrounding believe said one hour glad video entertaining show great quite bit subtle humour bit though impression could top rating series let poor story rip also disappointing see original cast gradually disappear series two cast leaving good good without colin little truly final episode end series got season day already disc originally already given season horrible sure gone new snide new chick pretty hot still got forget good pause zoom agree say main hero hey even compliant like ready cry introduction either whispering would think would used different take well first want say make region free used program call shrink copy computer used program burn easy free season alright thing like fact took main character season fault jerry get way something decided leave show enjoy show always slider fan since nice finally see one big con closure show hope make movie end show like firefly think good interesting watch colin need region player also handle pal rather us format also compatible course german stereo selected menu high chaparral also sale sale first heaven enjoy final season really show occur much even able get used still peeved ending good either left never continued still show despite season finally coming fi channel flakiness show led unfortunate cast season bad considering new slider pretty strong nice see classic cast get importance least best series character science fiction level especially epic final episode show network cast focus nice season able bring back unknown slide release wait season finish series series time end show going stop forever enjoying season pretty good hate see ending wish could keep going complete collection show series would highly recommend complete collection nothing wrong season even better season colin barely even season anyway already way season closure series good job matter people say watched back back unfortunately universal include episode menu box star season season colin wade fully season ending turns intentional leave imagination much like ending entire explaining colin one episode think wade story line great job never mind actually watched aspect ratio excellent picture quality season final chapter well written highly science fiction show coming season mixed point original cast gone actor remain show throughout run w show towards end season marine captain premise show explore new different every episode sure could sustain excitement believability group world weary trying get home beating generally saving day watched season safe say wrong slide effortlessly think would like much villainous also provided worthy throughout season w hit right experienced team wade professor colin well lesser extent disappointed final season perfect definitely worth season fifth final season new cast good job keeping final season entertaining although show never jerry left series better end season character written season two best season one requiem find wade character first series finale episode seer surprise ending series overall season wasnt great could better final season worth collection rest still show gone whole different direction colin world found two meeting new find new home two one messing jerry coming back season wasnt bad ending done final season take leave say accept enjoy complete collection know despite fact first four lead character focal point disagree jerry departure negative impact fifth final season fact would argue creative team fairly decent job handling unexpected departure let honest gave lackluster performance especially latter hardly presence season instead awesome watch actor talented step new series lead receive top billing starring role acting also dramatically exception episode please press one perform well given gave work alternate lot cheesy comic book style parallel season repetitive parallel season world sea trade dominant world contact made advanced extraterrestrial species world viking like race world creativity considered mental illness world caffeine among funneled black market world patriotism world tabloid style considered hard news actual reality within limited run also attempt tie story arc although loose still left dangling alternate magic depth shown us least tried put thought working season limited budget biggest gripe season character realize dealing fused storytelling priority could made much member team season wore sixth season believe finally would given character dignity growth deserved ending heartbreaking hope might someday sort movie set future wrap given us show five least would need board given final episode although involvement jerry would certainly welcome well really enjoy watching mantis remember watching show child watching thank making available show needs action bit corny love watching carl mantis kind like batman rich man experienced tragedy result fight crime wish like portray hero highly action finished watching entire season hell kitchen season directly free write know much longer season available fox although series times next chef worth time watch also yelling also tiring episode make good never seen get watched happy bought good even season seen previous know pretty much expect basically fifteen contestant vying prize head chef renown restaurant must first pass chef cuisine first one thing say feel anyone tell supposed one contestant supposedly almost eight culinary still cook steak right want actually see real check cooking iron chef show bunch trying pretend good fifteen fame chance comfy position mean help laugh spoil rather spectacular style times help laugh impostor mess cooking potatoes end really much watching goes ineptitude fake enjoyable also becomes annoying somewhat watch background people forced choose someone elimination show looking soap opera cooking show lots shouting bad cooking basically lousy one true cooking show challenge iron chef really way go hell kitchen begin change people crazy factor goes laugh development cast cast entertaining observe hate people generally show good hell kitchen season era show great ride never boring episode except first hooked show finale let face cast great development chef made great set laughing spoiler spoiler potential spoiler however three season one obvious two couple people know win show want stay multiple need give become obvious possible identify one final two chef way final two based gut instinct maybe feel way chef mind end many believe made wrong final two decision feel made correct one season feel thought great transition show season many enjoy hunks making fake drug bad realistic entertaining also appreciation undertake everyday good really straightforward look daily work drug enforcement rather watch cop drama found video credible professional although hokey blair witch like seemingly finish film somewhat disappointing overall film entertaining definitely one better seen learn seen read would recommend everyone view film die hard must gene movie funny different story line normal romantic great watch everyone opinion funny good movie really good feel cute movie goes show lie one really know watching really related successful ending need like story predictable wife watching would rate fair good movie thought family desire family member good life another family member granddaughter grandmother tried please got movie bad got funny unique hard achieve romantic comedy market like wedding date young professional woman guy husband fake wedding however everybody jealous everybody else kind like midsummer night dream often short skimming key character development supposed accept main fall love barely see together tough fault low budget film short could used bit extra time actually relationship grand finale little bit better watch twice order really like movie better thought would done without stripper guy get movie gave movie enough watch twice past two though plot predictable movie entertaining thought good movie pass time funny thanks smith unrealistic boring cute funny recommend family watch good lesson lie lie snowball tell one lie usually tell cover one cute movie great comedic funny gold still good good fun entertaining movie reminder love come least expect enjoy great story female reporter find grandmother sick grandmother dying wish see granddaughter get married away funny turn around like hope also enjoy movie setting great actually get see cast trying hustle yeah predictable alcohol promiscuity manipulation depth character missing season starting look like good come back season film love loyalty sex sensitive gentle realistic manner please moralistic photography skillful colorful little harder soft core little hard core beautifully film almost perfect balance sex story line one actually enjoy seeing read quality movie good skin sex actress pretty hot look see get hear original movie actually pretty good enough everything better thought would watch best looking seen genre production quality noticeably better like plot laughable like expect trying decide one watch definitely tops quality tame eye candy see disappoint movie perfect anyone looking create mystery science theater many amazing laughable part great convincing like action big story good people believable realistic mostly would watch suspense little taste action fast paced would like see pretty good movie overall big fan charge glad see season finally problem release least first disc season order little problem great bring season soon first let say see fourth season charge make ground breaking television always fun watch still look sound great issue screen give sort red tint everyone skin color giving appearance spent much time tanning bed true box art well along art used screen gave homemade feeling also noted disc set disc set prior first two disc really issue something thought noteworthy would still buy set concerned great already stated good see next last season capacity typical favorite today enjoying much generation certainly worth product time worked perfectly creative useful fun permeate baseball equiped besides catch share doubt little league get kick content baseball set eight popular baseball coaching baseball super also popular baseball book little league youth baseball nice overview city could spent little longer city guess fairly easy navigate would recommend anyone learn city first informative video gave much since made however interesting outdoor classroom beginning also believe advanced may enjoy love step step give planting well like clear like especially like inserted good photography need gardener know particular climate zone soil light growing pacific northwest northwestern therefore worked necessarily grow desert climate without making serious recommend gardener new growing area go local nursery get information grow area usually best check one nursery nursery personnel actually garden overall enjoyable informative gardening video regarding admit bit picky video audio little odd tea bench one example said thought give look watched video still plan watch last bit content spot get hung much information good balance lots need know getting enough content experienced country lots beautiful scenery go someday wife gardener family really watching idea writer vita west great garden hand shaping wow learning something new every day although video obviously piece island key west entertaining well done great reminder good times never go really documentary key west decide potential trip future never pretty cheap tour worry getting blown found interesting nice overview city traveling barcelona soon gave us good overview main time travel oh remember stop site shop like see want use go memory lane easy put together fun puzzle learned taj island area beautiful scenic place one kind escape hustle bustle big interact comparison see nature upclose away good exclusive voice type person still good dream car garage good mixture entertainment solid car request please offer season available travel budget world virtual video two part weekend explorer well done friendly unpretentious crystal clear video throughout interested h k seeing old u v series starring rod noble house pierce h k lost colonial charm pretty garish place video behind curtain get delightful feel exotic city orient respectable presentation history overview generous amount travel related information interest steam locomotive definitely worth view never thought much expect much video apparently lovely scenery great intriguing history many hope go day take cruise time right make seeing doc interest swelled interesting view traveling small thought well show still great visit lots good advice really address fertilization nutrient needs good good piece showing main tourism main focus around famous blue hole also utilize trike look island air brief segment end also maya island anyone considering visit would well advised consult one actually produced back life island timeless enough little video study abroad program good high level video explain high great narration photography information really easy good value money love looney however pinch little especially disc home spent half price double looking stress relief comedy whose acting make strain watch story line looking comedy dark stupid looking hour take away normal life make feel like normal life good enough get back successful man job process ego beaten want admit new young wife job find one desperation goes psychic set shop little travel trailer dress drag try intelligent guy quickly listen people tell want hear sometimes need hear becomes hugely successful soon even family coming start film typical romantic comedy style twist film like classic love lucy episode guy film laid mightily find new job one wife style accustomed dignity many false finally upon idea dressing drag psychic make good money first goal drag persona quite funny guy gal well actually really good psychic advice part film cautious even humble approach appreciate careful attention madame start talking new psychic town course guy family life loss many dignity second goal definitely get predicament watch film find overall funny charming film right mix slapstick comedy romantic wit human depth make enjoyable film available elsewhere unlike foreign found good print despite film reputation found interesting good totally unlike film may explain many like jazzy amoral many definitely worth watching produced canada frantic four episode series part documentary part reality television modern day serving united military armed undergo similar training first special service force commando unit also known black brigade training much scaled enactment assault monte la part world war campaign german part german inter cut modern day documentary force archival footage surviving documentary footage worth price admission though without series erroneously operation snow plough objective single power plant deny heavy water nuclear program fact snow plough destroy several power used refining strategic operation comes monte la order preserve narrative flow modern day even though force operation almost two monte la little mention made force mountain amphibious assault southern fall series hand hand combat mock assault though number latter small accurately portray assault really enough represent squad real life entire battalion initially mountain viewer good view rocky terrain important historical modern hard find produced canada frantic four episode series part documentary part reality television modern day serving united military armed undergo similar training first special service force commando unit also known black brigade training much scaled enactment assault monte la part world war campaign german part german inter cut modern day documentary force archival footage surviving documentary footage worth price admission though without series erroneously operation snow plough objective single power plant deny heavy water nuclear program fact snow plough destroy several power used refining strategic operation comes monte la order preserve narrative flow modern day even though force operation almost two monte la little mention made force mountain amphibious assault southern fall series hand hand combat mock assault though number latter small accurately portray assault really enough represent squad real life entire battalion initially mountain viewer good view rocky terrain important historical modern hard find reviewer error correct program four item almost available separate bought snowy day could make class good intermediate level class practice quite beautiful representative yoga three people video asana beginner intermediate advance reason give star rating voice soft difficult hear music baby always told keep away something natural best beautiful would turn tummy time provoke pick head high music beautiful calm got tummy time first season good next season great reading phonics show featured always educational month old son show new favorite thing mind hear sounding watching although season instant super formula formulaic works though really get kick super totally word super finding story solve problem like unlike many days shouting daughter show great prime almost great way keep happy waiting doctor dentist enjoy show overly annoying yet educational similar downfall show great reading fun story based fairy tales like one girl learned spell solve princess dress character daughter told throat tired put voice saver informational fun show little read discover new love good entertaining educational love know safe son delay speech watching sprout say able recognize say mean catchy yet saying go bit fast month old understand little red riding hood looking like hooker outfit fun word learning show good learn spelling wish everything problem oh super problem great show teach learning sans problem drama yr old lot show good getting five year old start reading overall program able keep focus attention works well wish comes local channel like bubble like grandson three love lot informative way tuned enjoying content retaining learning great show great show truly educational well whose got power read two half year old super year old granddaughter favorite comes time sit bit super fun show watch entertaining way love although educational content year old grand daughter attention mine move slow even two grand daughter move super good show educational fun limited educational fun diverse relatable interesting male character supporting character year old grandson especially like educational really cute little show classic fairy tales main focus teaching alphabet basic phonetics basic reading toddler really perfect show entertain educate yr old granddaughter like super fun animation decent well know year old episode year old super series interesting format develop problem language daughter learning well entertaining like also goo toddler learn show watch great learning show watch see big bad wolf blow animation good show well super formulaic structure little much seem enjoy good show two half year old throughout day highly body extremely informative educational good footage great drawback script like script stiff camera awkward show better would great program studio field little passionate science technology pretty well enjoy science new technology exactly looking thank awesome new show find anywhere hear much third world poverty yet rarely hear area film eye opener good documentary often seen western hero returned reclaim family ranch stolen child standard b fare low production lots action genre enjoy familiar era unfamiliar face many certain almost innocent charm film chiefly b western film many ordinary movie might become impatient genre love fun film although sound quality video needs help guy background enough make someone angry done spectacular job anger reframe feel really works anger clear concise manner hypnosis part excellent however bad actually right went second hypnosis session get angry actually thought funny sending new one right away perhaps first hypnosis session already effective impact recommend listen hypnosis section every day thirty days end days already see much powerful impact anyone anger basically body send angry impulsive message blood boil hypnosis every day days mind start like computer react used set us healthy positive relaxed way thanks making let one together next time superb sound side note written book son super cellular get well soon book sick hope check buy book send local hospital percent super cellular go city hope hospital god bless take care thought interesting well done lot drag think gay community lot progress recognition movie definitely worth superbly factual invaluable informative information acknowledge news want visit childhood fondly crusher met match bunny proved little guy win couple live hut three neighborhood year spring wealthy woman constant companion return villa high hill play couple millionairess couple need play ultimately back black comedy greed people two men rather weak dominated better card poor couple greedy literally pawn everything winning old lady millions even old witch millions furious fit even amount addicted even play deathbed greed neighborhood money stake couple going money even greedy director us obvious clue early film twisted ending bit shock hear inimitable voice actress credible job times think speaking film di would make great double bill madman via decent anamorphic wide screen transfer cyclist found movie enjoyable length film get right movie set early felt like made movie wool clothing team even team gan race merlin plage movie also use famous movie stage race story line typical semi pro getting chance pro watch breaking away story watch amazing detail bring movie fan cycling especially cycling must see film lambert real nowhere man like bit like ride bike impossible pro rider day love movie find ways one like another reviewer hard believe made new millennium perfectly time humor come away feeling empathy little come gone continue dream big beautiful movie must watch think drew hastings earth funny mayor oh live community perfect house compelling character television mention perfect episode silly fun silly perfectly pleasant way spend trust still getting together long strike sure know must better video true done th dan excellent demonstration ken great instructional video beginner someone investigating sailing well without getting technical got sent kindle love sent e love love video make sure watch say get one song good go home well know n get headache one song n cute music video think young would really enjoy wasnt really want really coo glad free though four year old daughter video periodically log account show funny rolling always great like would great put smile face back younger wish yard entertaining like bit hard adult nerve think leave room love fun video deliver another catch song saw instant video watch love music waiting next movie hope coming soon coming music video much confident video video immediately picture great sound clarity wonderful would recommend family r short fun watch something able let view without worry think twice video cute cute cute else say although care humanistic evolutionary propaganda cute thought movie silly reading still giving good rating scene movie pretty much mean seriously grow hearing loving beloved music nice see come st century music amazing funny story good however want see good special find practically none first hidden though easy find know definition easter egg found one maybe two actually worth watching one band manager trying fit band worth watching music video concert completely useless waste time revelation hidden somewhere like one season hold breath nowhere found find range read season enough reason pitch multiple whilst necessary cabbage set bit first season distinct second season offer unwanted change pace disappointed even disgusted first season first giving tuning rest season watching first season get fix eventually see story goes beyond begun thankfully filler incredibly epic note first season ended definitely able get dislike second season dislike factor end find set great like show general get whenever budget may grow struck chord already production quality cranked quite bit series still true comfortable time around quality writing say anything truly pace storytelling scope retrospect first season intimate like strive better word first season second may seem less personal shock happy first intake let reiterate following anything truly pace storytelling scope show content former pace change make season feel rushed sloppy latter scope overwhelming get many connect ex first season individual season two personal established season one goes show rich ex matter else said still keep mind season two character distinct season one first wave getting know affair show individual trust exist got brother law gift said wanting great video highly recommend people older know show chuckle watch many goofy irreverent addition metal try may like cartoon show best town back another assault pay sliding way four star release skin teeth double release season two certain push pull effect viewer certainly enough laugh loud really rate five star entertainment lack issue seemingly trying walk tightrope lots insider show trying appeal audience latter hope would suggest futile one second series audience getting look forward main number peripheral people make regular familiarity making connect viewer also viewer figured incessant mumbling style voice given though first still come handy viewpoint series certain extent rely link inner year old flippant self absorbed cartoon violence humour works see many people feeling tad juvenile plot bit still affinity heavy rock genre sure find plenty amuse silly entertainment certain spot fall category menu easily though bonus meagre overall sure whether concept many series time still board best death metal band world conspiracy start seeing show caught good continuation band goes well music better well show aspect ratio definitely much correction first season season funny although good first season music good big complaint still wrong like first season especially whoever put found common misinterpretation also wish instead saying singing indistinctly could please edit next season season two entertaining captivate like season one maybe need watch times agree lot stop random written long cut minute mark multiple much better one thing since got first season swear bonus main get necessary would like unrated good quality son series heavy metal ordered also know anything series bought nephew first bought season would purchase rest fascinating glimpse taught prior even chosen karate lineage watching smooth execution form goes long way bridging gap martial ie much gap teaching openly watched prime ago helpful beginning coach youth coach high school program coach established high school program advanced youth team probably find much help could recommend less experience less skilled positive side involve without much wait time also develop play regularly need specific instruction get better watch see bad poor form one drill stood fundamentally sound shot blocking drill player perimeter shooter block shot great way take play close also passing stationary fine learning pass game make pass standing still stay place despite helpful right audience particular pay immediately especially rotation box cross box learning box clearly although miss explain perfection production team used multiple show different price good option right audience bought basic year old grandson found easy understand good grandson go practice every day side benefit additional bonding time grandson found helpful worth price welcome breath fresh air many bobby play useful advice believe son daughter potential want simple logical information favor part baseball library money well spent two baseball video demand popular little league bunting team play reputable program viewer practical sound baseball pattern use video see improvement every little league baseball game theme happen let see recover make sense gone notch thanks program also popular little league video demand program baseball minute baseball baseball program also part best selling little league baseball set baseball coaching baseball super set downright good baseball youth got better confidence fear key little league program check popular little league video demand baseball minute baseball baseball bunting eight baseball set also popular little league baseball coaching baseball super youth baseball book also popular youth baseball acting excellent overall story bit thin move wont watch good golfer needing help large back yard showing use various around yard practice probably quickly showing made learn video good review golf easy understand language also advise improve game without even perfect someone improve game without spend store everything readily available around house take another lesson master line able take yard watch drill try right away also practice official golf best kind hard find available line gauge durable good pace lot boring talk lower production quality however good bring later course would think would helpful short game overall typical golf book video gimmick equipment instructional video sense second time exceptional clear highly creator golf program also made popular sports instructional available video demand program minute baseball practice championship basketball soccer also author popular baseball baseball like learning game watch great detailed bunting video viewer bases bunting key distinguishing square bunt pivot bunt also steal detail interesting strategy bunting two unless make work best baseball shown bunting easy follow section help little league team experienced league star play see video may want consider baseball set popular little league baseball coaching baseball super also produced popular video demand available little league championship soccer soccer championship basketball youth school basketball got really nice fun ways practice son expect use video lot fun basketball video interest throughout youth player get lot see downside video championship basketball popular basketball video demand product also produced simple point easy parent coach use coaching easy enough watch however intended audience rather big fan growing bought whim two four year absolutely love laugh animated show unlike get see little one story daughter cute gang actual real movie story half snoopy snoopy come home well though good pinch waiting long time show huge fan want miss release lots content bought entire series get plenty watch long time fan fan well apply family added bonus also able view anywhere access know well work mobile phone however make valuable easy share part digital library highly also recommend web caught randomly one day immediately caught attention sincere engaging look people really important life thought segment gunshop salesman particularly interesting real heartfelt one contemplate life death without morbid video clearly fake annoying unethical however thought would good low cost choice test video demand service happy video good little older shot narrator cheesy type voice quality content lots variety ball control passing shooting heading good camera work get one static camera angle guess good lot soccer coaching learning media show several one take cut time different approach one camera angle well chosen one several people skill better tell several reps pause review watch next person repetition point easy understand lot superfluous talking unlike information given need know make drill game work use normal terminology none require people many even excellent creativity wall ball full size wall well known movie hedge example could narrator voice previously could future edition couple like kicking ball tree destroy ball could get stuck tree could mess tree worst case scenario someone could get injured bad deflection falling tree couple sound least live people would bad idea bottom line overall great tool people want fun soccer ball also side note originally intended buy another video seeing blatantly fake one turned idea relevant soccer combined instruction positive video one beyond video create given dynamic soccer video youth well competitive travel team player improvement almost practice soccer also popular soccer championship soccer shooting fast footwork soccer goalie soccer one great funny wilder hilarious got wife watched ended laughing even wilder put funny practical character wilder trouble world general great even way quickly happy ending movie still enjoyable watch ending almost style one classic duo humor comedic timing missing today could resist gene wilder adventure hilarious well never boring use old cliche style movie extremely funny saw first twenty five ago lot profanity well movie sure please looking solid comedy make laugh loud mad men good show little found mad men season entertaining something feel need rush back see next episode looking lord clark civilization really well presume entertain inspire fashion beauty conscious certain age format similar next top model works lot better interesting beautiful high fashion sort way also host kim lot less annoying one even beautiful look like show although older gorgeous high fashion sort way obvious cosmetic surgery like reality plenty drama jerry great way pass time treadmill series realize prior modeling experience still fun show watch great story salute experienced short generation country little long winded times could done couple instead four well done really really seeing coming together share family history watched four demonstration grand master th degree red belt good instructional video new martial art video quality par self defense seen often repeated different camera angle show additional also overdubbed sound track master mostly arm bottom top mount many uniform useful get much video also cover exotic experienced likely already know interesting historical picture movie interesting graphics showing silk road interesting along way watch homework learned country school hope continue bring cannot travel person great knew little country lovely countryside lovely short overview beautiful country wee bit history good measure one new show play little girl role real rely anything talent experience recommend series anxious come enjoy show unable get cable right able see set expect full st season plain sight special though would better pretend since boring exact one real exception included gave set guess come expect probably lack gotten option menu buy enjoy anyway great show forgotten good first season forgotten important content first like series awkward stuff would never made show established pilot good series built buy season one get caught lot inappropriate show witness protection agency u nothing erotica first season decided buy set like new trying different see worked overall good first season subsequent good course two best last two next last entire season lots drama action last episode involved personal drama mary sister certainly worth reasonable price buy set essentially romance chandler would put fantasy rather attempt capture reality life situation said attempt fictional creation way life really good entertaining show least first season never found real life provide unreal world drama comedy people pique interest unreal us brief time stage may seem real star would obnoxious part one deal real life fiction made seem quite human appealing stage development show seen nothing star carrying show surrounded well potentially interesting supporting based occasional irritation star think people like show seek tell appealing many audience certainly worth try really like television show plain sight happy find opportunity purchase whole season possible purchase able enjoy series would make another purchase seller quick delivery quality merchandise received good first season need see show first season second season really cop detective dominate network v usually dull predictable depressing totally humor plain sight suffer luckily across series last summer main character federal involved witness protection program keep safe solve based upon client testimony partner great chemistry together screen fan burn notice enjoy series well although different share common humor action great well written also explore personal main interesting back story season network show curious never watched show rent buy season speed season highly know really like plucky seemingly hopeless family got vote sorry series came end absolutely love show mary superb tough smart teasing yet repartee hoot watch every show like offering incredibly expensive cost get made even worse fact sorry count fun watch crap fell cutting room floor could least included stuff cast take look season less money plus cast plus cast get much money major rip really know gouge shame never seen plain sight check little still enjoy wish still running strong closer wife quite critical measure right combination intrigue intelligence enjoyment believable plot pleasantly plain sight us quite well would definitely say better noted course season hope expect second season sophisticated look forward never seen episode felt try series glad character driven one well done enjoying tremendously cop series totally realistic would utterly unwatchable two desk day sitting desk phone ear fourth episode disk mary car trouble desert highway would well mary pull several highway totally deserted road try find wrong car survival zero good move car start several highway done plot got get traffic bad hassle mary complete use since fire least bad even taking shelter one bullet one nice aiming would series fun especially repartee mary still bad figured get mary way highway lonely road desert blamed sad bad lucky run would really got see scene believe god put reason concept really show well made nice story arc secondary really grab much although series sent recycle machine must add series story arc incredibly powerful final episode made whole thing opinion definitely worth look show sad see leave air watching mary quite cynic start amazing watch grow plain sight federal witness protection program two us protect female marshal character based series action series since incredible record protecting show around new show use lot local current crop pretty young look alike instead around mark seasoned distinctive incredibly sexy often awkward gunplay hokey body count way low verbal facial make actor chemistry great dry humor intelligent often wonderfully subtle tremendous amount potential first multiple whether continue fill make break show unboxed season pass works nicely connection convenient way get clean copy episode within days original airing reading review prime certainly get impression foreign film said really well done clearly minimal budget story essentially mid level drug dealer source drug lord milo money classic setup frank dealer person looking large amount heroin deal frank stuck trying figure dealer interesting rather unexpected hard follow bit offensive times really film interested see second third feature different film film seamy side drug use across language understood subtleness people fringe market driven economy live two male lead engaging brought life felt pull film could stop thinking even kim great chemistry together made movie work well way used made glad still making quality unlike us great film show sad often life pusher great performance young ending leaves bit desired trilogy perhaps second worth really movie went watch series bring thank outstanding superb view total submersion twisted misguided opportunistic living way superior acting like dark humor sordid crime violence vulgarity let say enjoy early example enjoy sleazy momentum going granny interesting lady full charisma unique perspective politics social perception recommend film anyone curious perception age culture show great gripe many depict strange know strange true know good wish television would stop series works group decent job showing least two sides hot topic documentary mainly sam story interesting documentary definitely story story complaint film titled accurately think would better celebrity certainly interesting right get basic idea entertaining informative nothing mayor get basic idea good mat work judo video recommend video anyone would like see good judo video valuable health information deepen understanding always love venture disappoint hard brock shark decapitation sequence immature last entire venture season surprise going third season took entire concept new level everything downer us cartoon network channel seeing top bottom image within e c h e distorted even erased last hard watch ray coming see meant seen first time also cover art tribute parody cartridge hoot well go team venture tribute great youth quest speed racer done extremely well animation done throwback style writing fast witty constant classic cartoon somehow though show watchable right plenty laugh loud well head shaking cant believe made joke watch show season assume already big fan show review disc great universe special disc exist excellent every episode full commentary doc hammer hilarious every episode bevy pencil voice would nice little quality quite happy purchase really love show three bit disappointed much nudity ran issue bought first season boondocks honestly regret show since feel awkward watching uncensored state mention either product description page box season uncensored assumed like one left seen wish way could buy enjoy every aspect well written art style typical today lazy low budget anime rip music show j g amazing get bonus full ray version get past genitals second third episode sure enjoy watching show need know venture smart funny awesome music brilliant best show adult swim right could give season season plot soap opera like narrative thread running almost far overt previous compelling overall structure amount random silliness like show symptom plot mysterious billy much fascinating character know pete white favorite character season two like getting self referential show stage instead new material every episode laid first two nothing wrong except turns less funny getting edgy adult swim deadly condition vulgarity comedy show becomes pathetic attempt shock provoke audience laughter know season cartoon penis ever see f bomb away casually without legitimate reason get impression somebody told doc use word scattered randomly could brock said dirty word monarch said dirty word come funny childish result impression professional aura show ambience going use word least use effective casually mere hell f king disappointed minor aside great show buy watch good though love show many throw old quest show era swear feel like watched series growing unlikely thats real draw guess anyway bone pick ray problem quality spending ray feel right got lucky got price gift sitting around ended paying really want give one season brilliant taking everything new level insanity development fun said really care much uncensored nudity terribly tasteful even really funny mind nudity normally felt time around thing giving second last episode family together stays together part originally extended opening adult swim originally pretty funny included set even disappointingly even included season disappointed nonetheless show one best skilled crazed bodyguard mullet paired genius doesnt care sons recipe total funny might expect lot great time watching season might expect level f full frontal nudity included home version uncensored said must set show truly hit stride season ray release disappoint everything crystal clear true curiously box art specs entire season ray version single disc sit back watch whole thing without bonus excellent first huge fan show season blast many great overall perhaps tad season still awesome better previously rented season really video game theme recently ray version see condensed one disk recall additional special ray however menu certainly different two menu ray much simplified miss great sound effects worse still text ray menu tiny much unreadable presumably assumed anyone ray would screen plus side ray include music please aware slight difference namely season large amount cartoon nudity blurred version drawn yes hi ray male nudity still funny though quite bit background added season third season really great layer depth along especially end leave wanting plot perhaps timing little multiple get full depth cast forth run straight forward multiple either pick hidden great commentary track home theater main menu goes like selection might confuse used straight forward however people likely watch show first place best part think least captive nigh impregnable clasp thumb squeezing device rather pop firm easily accomplished finger press wish way venture first two quest series adult swim general great buy design product distressed style previous great outside like old video game credit artist found bill one season one art sure second season familiar tend like guess instead looking design feel box top bottom like old video maybe black white booklet maybe would much money make inside information commentary special inside real life venture family video sure almost panicked read live action stuff season one knowing joke cliche series go let get making live action word cliche lot review aware copy inside hatred one least favorite fight video game yet even featured graphics like bit imagery like two j g music made excited happy show assume bit stuff featured one episode hatred seem prominent season three either least stick star ray version j g regular little hard swallow adult swim tactics like sack grouping plastic wish would gotten would bought anyway like people want spring ray player cold season hot cold gate never amusing monarch monarch wife venture world everything done arch file order anything like normal life filling goes rusty venture club episode think one better tend want buy instead watching see graphics written show clearly like back people try guess famous person party especially towards middle tend bare like lot less main maybe people main people missing strong problem since never follow closely enough know new coming watching season midway writing high standard give venture like historical odd music one two episode plus would repeat especially favorite cliche said much middle cliche see told would use cliche done burning part quality came back speaking happy two tailed pup lack censorship set get see venture maybe way much lot male nudity season next female nudity since woman almost welcome see going back rusty venture henry episode lot psychology getting ah middle beginning think series getting normal two orb half hearted orb one goes back barrage pop obscure especially people like venture type league extraordinary line show memorize except nice shot season two rusty venture brought smoking nice graphic venture graphics really joke around tiny bit disappointed ending streamlined year font simple know design amazing graphics last two really great bring venture back high note last two turn watch next season though trying stay away information like season speak without knowing anything think might dead always get maybe cliche thing built henchman never get get end sure season four standard end season three read show content show care feel toned would lose charm watch show change watch enough watch think get obscure subversive quit town malice gore would like every cartoon show would gross humor lose wit even music even background strong jump much crescendo think theme times daughter seem painfully absent season like resonate much though like helper drum work scene hank robot trying make music season watch first feel first two could watched show show bit plot heavy complicated plot though complicated better still season saved nice free space come march venture currently best thing adult swim robot chicken close one else recognize box art old game met back volume build complete strange world various back previous provide long time satisfying new chapter difficult know start series like tell still almost two finished watching entire set downside even well worth wait latest installment venture goodness one best around one worth season box watched multiple times season three getting billy lose eye hand original team venture secret orb hank dean finally get lady action couple brilliant stuff around episodic monarch style added character development insanity series getting better better every season though uncensored usually better cater venture gang get even normal however case turns actually something said leaving imagination venture senior walking around black censor bar covering shorts watching big animated sausage swinging back forth one new actually low budge show hope picked think show future could big hit film thought provoking look strongly divided society interact individual level love jeff lewis absolutely crazy hilarious highly recommend show never watched video highly recommend one excellent well done actually story line decent story line done well sort mix three set k androgynous miner love straight private local german librarian muddy tragic slowly emerge deeply moving wonderful slightly magical realist cinematography good surprisingly decent job help thinking experienced actress could even amazing role said enjoy much second felt times simply trying create magic odd setting quirky cinematography color exaggerated ways effect overall able let go accept tale made smile simply said exactly like set let interfere let people buttons find anger nice gay movie enjoyable green plaid shirt impression gay red neck movie maybe sheik la red neck maybe pink neck tongue cheeky enjoyable gay love film description justice whatsoever low budget nonetheless beautiful geography beach also relationship two main tender real envied little long choppy plot introduction character two main suddenly development area starting movie halfway regret watch movie bit mostly choose happy ending movie real enough keep watching happy ending give hope movie exactly happy ending watched happy people die sexual urge love everything time nothing intense bit though goes feeling monogamy feel cause sure monogamy watch turns really powerful movie different character different especially like ending even though usually like anything clearly happy ending bring extremely meaningful hopeful message help carry moment forgiveness gone thing video sound quality bit hard listen everything time fuzziness movie made real crystal clear cause could listen everything interesting much acting good story line kept attention hot chemistry lead couple gay say well besides mountain big film really pull lot less say great acting emotional depth great made think feel reality regard dealing death part play powerful film sentimental greater overall understanding life feel think type film see second time notice new different caught first time round please note guy world orgasmic hot hair toe mean character name guy description like shape thing shadow simply love although seen first third episode commitment facing one want sin adultery people discuss wittily stick desperate really dirty people discuss much allude script handsome air pilot stuck wife wha cha wife honey got party plan pilot lounging bed trousers unbuttoned zipper still might see filth bring one innuendo seen except early peyton place contest famous episode alone glamour magazine know nothing censor foam impressionable around send bed otherwise may duck answer saying long time ago hold adult real adult wit entertainment give easily line get set soon comes slow series shoddy release date number took hit stride see last however acting top notch main well written enough give heart would otherwise premise fun insight curious movie decided give try knew nothing except previous found well thought piece work took time look reality history simply follow certain use highly dubious statistics selected public opinion highly recommend watching movie done writing going movie see purchase lend watch good one camp death fun little slasher flick low budget lots blood perfect midnight movie watch one good evening entertainment probably buy swear nudity homosexual kind movie always fun us enjoy superhero genre nice job story well done spectacular early tried series work writing costume good better new flash costume even red like instant buy individual recommend mark star trickster also couple include famous comic captain cold mirror man turn life manic good hired soon voice joker batman series pilot flash well made pilot obvious plot wish could theatrical movie instead show know would blockbuster maybe works least us super hero got teeth wet low budget example could flash good title went fast left hanging least creep raincoat little corny cool first saw worth show great back day still definitely ahead time show made today technology storytelling would amazing also mark great grandson always wanting watch finally found safe friendly place find fun watch found many old school amazing entertaining even bonus material year old year old prefer calling ah qua man though violent small also dark original batman series great older batman remember watching younger watching show really well story look feel engaging entertaining back great common year old grew watching awesome twice week sit watch show together super fun every latch onto something actually interesting classic year batman animated series grim foreboding masked batman eternal quest meaning amidst chaos sought staunch watching back rapt attention focus childhood said every superman green lantern every given unlimited batman voice animation cape cowl scowl dark watch one best batman seen stays true batman universe entirely true comic year batman watched series several times new kindle received wish would know company right set needs show bees original batman comparison glad relive childhood looking forever cartoon glad watch ever since city still first season everything far great wish proper introduction show since first episode like random episode wish used first episode show lore like batman basically didnt really show lore either kind honest since iconic character aside still great time watching show animation music top notch far watched thoroughly one well written good animation great vocal batman brave bold creative better animation quite dark wry humor prefer batman series right batman detective vigilante mark joker get see batman great little batman would give five video quality poor wait version good plenty action still believe voice batman best batman whole season yet first episode actually later superman batman series otherwise exactly way remember excellent reason giving star rating correct order far favorite batman series instant video order go back end one find one supposed next instead play otherwise love batman must watch series great show brought back lot childhood graphics great care story works pass time really like way stayed close batman original flicker show era actual original comic good quality missing otherwise great enjoying something watched cool play good video quality sometimes subtitle display incorrectly still season one look forward finish whole story brought back many childhood nice see old fashioned batman still full action great watch matter old one best series seen wish made type series awesome sauce voice bat come alive dark uplifting time good classic story interesting moral animation well done lot watch series great show took classic batman theme remember watching issue order look episode original air date right order one batman franchise actually comic sense best adaption batman first volume set series good start becoming best animated series time obviously classic series around long time enjoy probably watching remember would come home watch batman superman miss young high adventure recall childhood nice kick nostalgia rainy day ambitious still see rough point love style feel like refined later good batman series old school like x men good graphics well written enjoyable series authentic old original comic book series time period look music fantastic character good overall entertainment love watch relax batman batman supposed done every scene like cell comic book animation fabulous spot thoroughly entertaining remember watching syndication shortly went air child enjoy even today comic comic book based source recreation find enjoyable nevertheless particular series small time give every character character guard opening sequence aspiring future career radio personality witty two pharmacy interrupted passing shadow loud noise particular way given depth moment reality said detail time cartoon given amount storytelling involved episode forced thereby wrap quite abruptly somewhat jarringly wish episode would last extra time could character development plot development pretty good really watching show much keep watching really say seven year old son series still giggle even satisfying see joker get end close every episode love series watched fit nostalgia get watch cartoon got batman right mark hamel joker introduction need say thing would make better version everything remember majority wrong beginning main reason watch live feeling got originally watched show classic opening bank silhouette scene less enthusiastic opening new batman superman classic opening bank silhouette scene really tone batman adventure prefer keep batman superman separate slightly disappointed used batman superman first volume since none first season used least initially original score felt far superior fit theme show better otherwise best batman cartoon ever seen star bad theme really like batman seen cartoon really long time quality really good great batman series style flawless fun engaging talent great know original theme song vision bank blowing one memorable associated show got rid awesome able enjoy nostalgia classic one best bob creation warner mastery film production came across searching something else brought back lot fun great animation probably buy entire volume one morals real sponge bob teach episode never city little recognize episode one favorite television series went find information air found terrible episode defensive truth may one satisfying two distinct weak though one crocodile king given back story spent whole episode wondering came rule street describe weak point would commit consider crime spoiler really matter though since interaction one street leprechaun batman frog dweller king funny enough make little superman good well written cartoon enjoy cartoon child great watch son batman welcome opportunity share like one version like history batman hero supporting factor person great fun see sitting front morning happy decided release volume help think taking ridiculous amount time get first nothing corporate greed half season next year fork another second half season complete series another aspect difficult figure exactly many still coming season order sure many still lost previously already gotten superman hour superman batman hour really tell know nobody holding gun head buy wish entire collection go justice league certainly taking long time get set little time meaning cost entire series really reason give local library love looking animated much chagrin seem taken marvel grew loving previously justice league crisis two let watch well little intense violent probably best thing school watching new wonder woman green lantern library well violence intensity maybe luck would shine library vol snatched watch treat scary little violence good little preachy helping great watch little boring say music serious narrator voice really took back childhood days love old hanna machine really fun watch find collection action still worth getting show nearly hour end plot well show lesson basically recommend plus addition episode old super show early grew bought birthday present yr old son today animation one tell old think child age would think somewhat hokey though good us love old would love share son wish prime reason paying much something watched free maybe find used somewhere love going back time watching old childhood super certainly morning line along gigantic bowl sugar cereal first cartoon super although simple show engaging run giving plenty time develop good simple look sound really good minimal dirt course pesky wonder dog series formula back days trying emulate shaggy space ghost blip mind much since bought relive piece childhood without also like ted narration series two disc set half season one star reason break small series two greed glad keep volume two complete series extra worth super trivia game fun least first times fan want complete series want add collection left make hopefully sell well enough warrant release super growing mornings highlight week super best part truly classic innocent hopeful bad almost always trying right even illegal dangerous ways comfort old time goodness timeless legendary big four plus robin wonder dog occasionally guest reason give series five little corny perhaps annoyingly eating captain crunch watching series bought nephew watch would nice purchase individual rather whole season cheesy superhero best series came even born watching throughout different brought back childhood outer imagination mind obscure usually choose think episode villainous role pleasant change character actor episode well written television series well directed outer us related technology could happen space travel research genetics medicine imagine worst case scenario outer plot thought provoking intelligent perhaps could happen know enjoyable show like eye candy car buff go bed sugar humor decent effects make must see favorite episode favorite series wish available really good stuff much love art history museum hobby always learn nice movie lots good information visiting city soon thought help prepare visit glad watched fascinating history well overview collection watched streaming video would like see create diversity clips done older fashion like older home must give dad tourist feeling interaction priceless regardless living refreshing see grown poi made saying correctly interesting see involved true life author choosing right fish peer market riding side seen less metropolitan less commercial laid back atmosphere ride dangerous though surf interesting think know could get nice hotel room think taking least expensive build however choose good film rent gave appreciate gay marriage leave room till part past walk away rest alright kill history touch city experience touch also think anything wrong native desire preserve heritage let face strive preserve heritage well hope give video different description man behind camera many background well maybe foreground music great jazz quintet well wife black white film photographer fan enthusiast one see especially nice learn cordial photographer subject derogatory term route train lived couple think video fair sampling diversity land good representation culture feel could without shaman juice section demonstration ethnic part culture also could done without watching woman rip eat head also may included little sampling influence rest live country overall good learned lot always like reason sure biography really nice picture life well fan chuck since age first say ten truly actor wish life would e g promise land icon grace talent beauty growing early movie little sitting dark movie ice skating movie seen pure plot thin acting poor ice skating ice seem repetitive boring put context time pure fun watch compare far come good biography good film life career detailed personal life well done biography right length great series pitting twelve pet dogs agility training upon mansion one ornate dogs fire ornate topiary inside ice artificial grass dog far eye see really put dog think twelve put test see well dogs trained case musical without music yelling dogs perform winner got golden dog bone key big barred room full heaven spend night together take mind dogs get along loser contest outside doghouse well posh doghouse non less inside mansion close loser spoiled new yorker picked winner posh surroundings liking feel sorry bring dog lots padding winner penthouse winnings though dog talented pompous first wanting let see room finally giving first object perform dogs type skit three one famous dog trainer dog picked three determined good two could get dogs perform well picked exuberant spoiled two dress dogs hilt one schnauzer boots even walk one pink really cute one older fellow senior citizen beginning snuff farm marvelous dog saved wife seizure believe marvelous rescue dogs sometimes way chastisement put confidence pet forcing dogs perform bearing one dog bulldog tube dog talent performance really big ending well one owner go home three picked one one believe gone home yet lady schnauzer gone home could get dog anything forced perform even sit next show show one dogs almost pool owner screaming vet done much like series groomer animal planet hopefully agility play see top dog video brought lot iceland know swimming year long wow would recommend consider superior know west ward voice talent corny plus reflective batman series time even short lived green bad live action show least animated series back forgot corny son seem mind old fashioned still violent bad people make bad bad people love old far less violent super hero goodness recent legal ownership cartoon series stop screwing around waiting long long long long time sure like season moment remember relationship times stress male female forced also left giddy loving male female different sex male female flirt entirely different really made sense weir shepherd ship prior fun impossible unprofessional relationship season fantastic woolsey saw taking command loudly worst think best fantastic kept entirely professional still able show little compassion care seriously great far favorite wraith episode together assorted episode clips illustrate overall mission done keep free love written story easy relate outstanding graphics actress good show looking season till end times plot self want look show w good choice fi lover nice clear picture streaming problem see series seem go order example get done etching one show go next one would say last happen like last show watched seen lost great show last episode good loop knowing series finale left wanting better ending hopefully fi channel show near future set like last season four could play initially upgrade player new one fine yes fi ghost story network pay much money never get check long syndication let screw little every penny roll little slow season four season five promise evil possible new story wait let share success cancel show get money thanks universal bought one used deny new income financial sale props pretty well assure future pick universe happen foreseeable future enjoy season left sorry learn last season miss joe crew fan franchise sorry see come close final season cast fine screen chemistry settled comfortably good production importantly engaging interesting main hit stride season joe outstanding work particularly episode always fun interesting watch love tapping ready hate commander woolsey complex interesting character lots strong supporting cast season particularly smith major amelia jewel delightful doctor darn cute wonderfully creepy excellent work great see come back least briefly major story satisfyingly wrapped without feeling hurried without self indulgence ruin final season set well thin made plastic disc navigation adequate far many warning wade load disk overall quality science fiction congratulate everyone involved hard work dedication looking forward feature length movie three see episode forward ran scene woolsey sound think may cut episode know wish audio yet seen season certainly season really get past fact weir gone show sam new leader also recently learned last season show end th episode decided longer keep show shame good series nice combination adventure drama humor negative constant leader holographic doctor star trek voyager really fit role entertaining series probably one season wrap confused couple seen fit story great ending series love fifth season unfortunate show contain two favorite series shrine always love behind really finally interview joe wish actor one broken seem focus process mechanics making show seem focus story really want hear truly appreciate emphasis romance season great team dynamics heart series importance like hearing think romance cool hand interesting hear much perception show many saw good bad whole recommend set great interesting special place heart grateful ended season maybe slow dry predictable decay hit peak around season thing seven fell really fast relatively really flounder near end blame odd lot anyone continue coming point would exceed human capacity ended got far relief though unsatisfactory one wraith certainly glad left air actually making recovery opinion glad neither later series dragged mud much leaves possibility new series would definitely need go different direction like universe tried like someone try one time get right go back already enjoy franchise certainly good enough great fast connection already would best possible love series quality good except couple great escape original series world generally well written action done great thing far plot goes anything goes saying imagination least us still use show short sweet season good wrap watching back back felt watched fi seen show end end several times good fi show thought shame two best entire series final two said however would recommend never seen screen chemistry colonel rodney later opinion made better two series never measure best fi show ever two great mix ended time roughly propensity agonizingly long recommend fi refuse say fan got hunting good quality broke got final box set add collection fail understand series five could easily continue two three left many unanswered wraith harmless lost tribe reintegrate galaxy form alliance many bodiless scattered galaxy seed season high quality story telling sheer unbearable suspense seen day one series possible solution wraith problem humane frequent delight watch also give hope wraith able share galaxy enough treason make lose hope appearance unexpected pleasant surprise hope way resolve conflict revival weir long overdue close matter completely homage penultimate episode well done universe falling short first two series hope put effort release tie loose dangling us devoted cast less original tapping dean judge one star less know guess many come galaxy far far away still knowing last season kept waiting see would end right end carried like go last episode boom hope movie coming tie together supposed happen great good good overall fun entertaining show watching universe version one also tried far much universe awful universe early believe time develop would better showing certainly find much appealing dumpy new jersey get enough reality real life want turn see set series great product value fan series somewhat season long running serial become spread really thin surprise series altogether hand really good one self season series would another half dozen thought first contact lost tribe series thrilling first prodigal satisfying conclusion one longer running end like show ultimately went dragged long good series overall would recommend anyone excellent season although best series pity last many possible explore coming try cover story episode plot structure somewhat formulaic series still quite entertaining convenient way get access fi get channel first till rip still watched really good felt tracker series good one joe love really like whole story never weir left end show last till season like much better concerned profitability suggest run time give chance sure generate huge like buffy go even really best remember watched anything better think everyone would agree watched show fun mostly lost season many main cast wanting development wooden actor weir appealing leader well made accommodate weir even good made story future bleak lost sense fun st like clarify though like thrill character grave danger really want favorite kept main cast till end buffy season cast starting gel chose change something already good stick mess already great need give background give depth learned sister went dad funeral season chief doctor downhill trend season cannot seem solve anything thankfully season chose match one main show really good role well pining admirer gifted mechanic firefly brought back accomplish brilliant expect save day weir went missing military personnel like choke hold put one main better group direct control military female meaning compassionate making main get away following right continue show hope get civilian leader also female play bring back weir also say keep love mean like colonel cute endearing intelligent even funny need kind personality many crises faced like bring one though really something special made character interesting stole show like fox family thankfully pair one team friend great friend role expanded ability significant tactic fight wraith went undercover queen know heed small stature made episode absurd embarrassing make play role queen supposed tall strong going bear next generation idea family wonderful husband tribal chieftain someone equal heavy baggage whatever may say necessary part show team felt secure confrontation also time show really peak see also enjoying acting watched found entertaining great fun amazing series even though cut short venture money reason gave instead first therefore perfectly complete set biggest problem season yet show entire season either television video demand today know season final season really last episode got see television las set record entire season reason episode series never finished buy soon watch entire season see wonderful season standout already part arc well entire cast total entertainment needs also something special admit still ticked yes movie great feel season axe hanging show deserve cancellation still solid still plenty go bother watching new show plug could time point time bean could pull plug something good fan since first episode miss seeing new still mourning best season series recommend especially following search rescue shrine first contact lost tribe enemy gate see acting talent shrine also watching perform together fun looking forward seeing movie extinction production series came rather abrupt end yet season better season either way series worth diving season well written great recurring guest treat book glad time season thing production team working love series usually end tie nicely give really cool battle kill favorite make stupid point season arc kind disjointed notice season already cutting show little bit character growth especially woolsey rodney big bad last two big season resolved quickly part like rodney excellent choice might want add information inaccurate last two regular barely season season took tapping role took role confused also forgot credit one like hate man evoke people also quirky sense humor get hilarious highly recommend dog breakfast fan still series ended ended already cast leaving going away kill dumb ways well series tie plenty room like appreciation affection weir watched season five love much however dismayed decline story quality fourth season really got worse fifth season excellent fifth season serve wonderful character shrine complaint fifth season much dry dull take keen interest new character chief medical officer stead think enthusiasm presence unnecessary probably little jaded stole many would otherwise really get behind incomprehensible romance angle also fact woefully overall advocate overall sake completion provide financial support franchise go season two three watching follow went series great amongst crew meet big prize seeing remember firefly series series still going kept getting better better cancel great price well worth buy series year little warmed everyone getting ready something else maybe way sam though big guy got play time really never acting one exception jewel doctor follow whatever future great expectation smart guy lucky final season series franchise towards end familiar might watched back back much new way adventure overall series think show wrapped well considering supposed film tie together box set extremely fast great shape series pretty good although never thought character fit well many disagree saying rodney hysterical really like first grew favorite even many many bad show far go good original unfortunately show repetitive lost original luster use unbox one favorite two cut satellite service save money bad episode saw episode cable much bought episode well written lot previous series series much especially cash version solitary man diamond end episode worth watching episode good writing season continued enjoyable familiar new romance finally coming one regular cast lots science fiction plot visual effects continued great theme battle wraith get little tired rate series good great series season lost couple major last season going hill still good fun watch disappointed fell apart last season would like see pick backup show continue show believe bit repetitive still good love show much cried show sons would sit watch boring action pack show great special effects also humour mention sexy men fun fantasy usually like science fiction v watching program fan would rated star top notch fi best could better overall entertaining standout portrayal doctor rodney outstanding wish many whole excellent series season exception great originality agree posted ending indeed rushed trying wrap making little sense indeed season shy stellar story writing previous hence still great regardless excellent movie excellent price price local retail huge free shipping love buy watching several ago took without warning glad see picked able finish series available free prime love episode wish could wrap series properly still love interaction rodney absolutely series season see colonel carter take command expedition season outset going somewhat woolsey charge expedition really get much spoil people might otherwise watch enjoy season final episode could lot better honestly performance game looking never seen series despite fan star trek new quite good intriguing fi show actually worth salt wonderful sad see end great team took universe base stood well hope happy new universe watched show hard stop watching last season great good season gave sure would say good wish ended although still grasp concept inertial special effects way blend well concept space travel series great watch recommend great futuristic show keep quite excellent series disappoint watch still pickup first time anyone notice opening scene dell like dell lettering still bottom panel also notice white blue advanced future guess watched series twice already think lot bad never made full movie like pretty much show hogan best new exciting lot nice finally find show reality like definitely see show lose steam great check watch former reality make fun terrible half stuff half semi legit favorite scene dirty talk someone sleeping pitch black room actually relationship never tell want bend spank turn video group people survive primitive wilderness along hand made clay clothes much show much would like see two exceptional success rate making functional clay unbelievable great video really illustrate usefulness primitive relative ease living knowledge appreciate book author primitive wilderness living survival really see video version book trailer book instead companion guide brief information mostly showing prove life exist without modernization see weaving cordage flint deadfall traps great video never really highly recommend video opposed since whole lot worth coming back time great fire starter field also importance modern instance think emergency kit definitely keep leather plenty cutting seem critical video primitive life could much easier simple even nothing else sort knowledge really need much else brief candid interview man interesting history going youth engineer us designed one first portable hard frankly failure fit athletic ideal youth paradigm unfulfilled relationship father man past could make captivating memoir sure breadth unique entirely short film nonetheless quite thought provoking film definitely made buy amateur basically guy holding camera another guy video youth added throughout also short still interesting hear journey youth soldier really worth watch note buy watch take consideration like keep collection documentary drop whatever pick soccer complementary perfect detailed soccer popular soccer available video demand soccer goalie fast footwork soccer soccer shooting also available format soccer coaching soccer pack set beauty shape woman sensuality dance glory like great beginning strategy learn pick back basic baseball get wrong think coach pretty spot higher level really go much detail instance video briefly goes throwing bases consider big chunk coaching catcher without touching coach technique useful especially group even older expect really fine tune video like way excellent program new position well pertinent catcher range basic complex highly catching never really attention warm program importance young youth loosen convincing easy follow good much technical stuff would like coaching youth baseball problem program certain pitching instance agree youth pitch stretch baseball looking useful pitching part baseball library spend time money pitching top three along pitching house depth technique driven product high school beyond however young want pitch one basic well seen producer correct assumption giving youth basic wind delivery giving knowledge whole body important detailed good program little league make part youth baseball winning baseball also love winning baseball another top video demand baseball product baseball coaching baseball super consider baseball set popular little league know person part screen acting form like based character portray anyway good case real woman interesting character may disagree video perspective especially touching story told two know beautiful woman excellent actress character personality film long enough informative entertaining long boring story told mostly different plus scare tactics always riot would anyone sense humor always hidden camera candid camera punk stuff hilarious morgan funny loud many times keep track check set silly good order fast regular shipping least received within ten days happy cover jacket little worn would listed little better dont good sense humor purchase item days season three favorite episode satan baby everything love show wish would make documentary historically interesting relevant understand engineering significant appreciation history love especially steam much enjoy flying much talk people little train beautiful locomotive well human interest compelling monk always good show get trough day smile face little little sorry sex bad bad horrible violence good entertainment enjoyable monk season gift husband monk program time even year old grandson watch monk grandpa family friendly program show heading toward natural end getting formulaic season bit interesting tad involved number story e resolved order soon comes find obsessive compulsive detective entertaining funny great usually funny dialogue along solid mystery might drive people distraction series fun tony perfect monk monk season tony gray ted th season monk yet another strong season truly excellent series later seem get mixed personally thought season among best series said though think might couple per season whole thought th season monk got start thinking age finally fully caught show soon series works well fantastic season provided great ted gray randy disher really help elevate show work well together work well rest cast course tony monk reason tuning tony numerous plenty critical acclaim role monk deserving credit tony doubt comedic time might best ever grace small screen monk funny tragic quite sad often together time great tony think might best work done run show really work well together even still funny thanks talented cast still feel better character sadly away th season hector cast new shrink bell season premiere nice tribute late monk world monk home monk new house due constant piano driving previous homeowner accident inside house monk soon murder really great episode funny beginning end final shot nice little tribute away th season hector cast bell monk new shrink monk genius woman monk house telling husband kill long dead problem prime suspect another country time murder good episode great end day work well mystery husband monk able prove monk lotto fever lotto hostess place becomes famous monk crazy jealousy solve case deal new found fame truly great episode tony always great show one best series comedic genius display terrific episode monk punch famous boxer getting ready shot title lost ago narrowly death monk brought find behind good great episode part episode works well drag near final act still fun episode even monk underwater monk aboard submarine look suicide might murder monk submarine training drill place monk stuck trying solve case avoid breakdown rather weak effort monk submarine could classic bit silly credit cast really elevate one end episode funny monk love found dead monk crush main suspect cloud judgment like previous episode one bit weak whole bad episode sort entertaining episode nothing special monk th case monk milestone th episode episode crew following around monk solve case number along way monk something right case solid episode former guest honest expect th episode said done though entertaining episode monk monk unhappy life back year old self meanwhile actress husband escape monk foul play since nobody serious without doubt one series episode good becomes hysterical tony simply brilliant doubt mind comedic genius full display monk monk would never seeing hysterical one series tony brilliant monk miracle three homeless men show monk house seeking help friend found dead believe meanwhile suffering severe back pain getting better fountain people leave force become monk monk monk episode done since th season good previous episode one hysterical monk homeless men classic monk brother cooking breakfast convict monk house monk soon man actually half brother really great episode funny guest monk half brother simply brilliant together episode bound considered monk classic monk accidentally man steal bike monk help find bike case suspect monk leg life miserable episode bit slow going really fun entertaining episode monk lady next door monk older lady becomes mother like figure working case new friend might solid episode best season easily one entertaining always funny even little tragic another solid episode monk monk biggest football game year take taking game even enter stadium foul play supposed prank murder victim best monk always taken element monk football game way element one season absolute blast beginning end monk bully bully tormented monk trail wife might cheating soon case turns murder investigation solid episode plenty funny perfect episode highly enjoyable monk magician monk magician murderer problem suspect supposedly another state time murder solid episode drag little bit towards end despite episode works well highly monk city hall garage monk wife set turned playground monk support councilwoman vote goes missing solid season finale explosive th season finale still works well entertaining episode one thing say thanks episode never eat hot dog vendor original show fantastic great really good leading end series one best quirky detective monk one season obsessive compulsive detection left start mourning still one best seventh season mystery series well little age got everything expect monk new personal crises shot leg lots hilarious writing bizarre celebration monk one hundredth case monk trouble ever unexpectedly neighbor girl piano buy house old man recently fell unfortunately creepy people want get greedy whatever hidden house destroy dream house unfortunately monk least weird case season deal particular order homeless man miraculous lottery stolen bike lab submarine protecting boxer impossible murder monk annoying neighbor manly bonding football game monk help new therapist bell hector assistant bad hypnosis kindly old lady crush looming physical half brother prison monk stop parking lot council woman involved found bay quirky series survive past first first season seventh season monk road monk bully comes across rather vindictive still right balance humor poignancy brain whole season pretty much solid string enjoyably complex murder baffling obscure new monk despite murder bittersweet comedy well randy watching football game upside plenty solid dialogue square tomato lord work season monk biggest problem biggest fear left everyone whether mother substitute beloved shrink fortunately skill keep tragicomic character seeming good hearted socially see guy banter trapped cage sorrow flaw reason monk wee bit mean spirited solid job monk assistant quite good replacement gray hilarious randy killer ted show different side cop becomes monk yes religious kind episode course one season monk go seventh penultimate chapter plenty strange teenage daughter big fan monk really watching set complaint almost end series need make bought gift husband year outside one big change much season seven hit show monk tony still obsessive compulsive phobic still able consult help old randy disher gray ted solve difficult thanks help assistant psychiatrist death actor also giving us great case first episode monk desperate get away song house find mysterious death took place joining cast episode hector monk new doctor bell settle normal normal monk monk get trapped submarine monk chess master might perfect crime miracle becomes religious monk monk neighbor find murder suspect development murder monk keep parking garage turned park mention favorite episode season special th episode full fun yes monk new case episode also quite people met course show far funny clever way mark momentous occasion unfortunately season uneven previous season yes still comedy tender natural real previous actually first half strong second half fell predictable seem running steam going cheap laugh real character make show get wrong still season strong could show slipping peak happy penultimate season still good better love monk disappointment season randy disher character exceedingly goofy point unbelievable brought check excellent final season always season one monk set standard sheer enjoyment season seven usual gem much entertaining hard believe monk bring please would given star rating whole family still disappointed decided end show bought much show clever premise detective acting fine like know ridiculous scene give best easy old rex stout fan may bias score guilty one easy spot however rather watch monk without really touching anything also enjoy interaction though little stupidly taste little respect police intelligence would add value show fun show relax enjoy younger family monk seventh season new chasing bad streets san protecting parking garage monk full know goes monk case captain order randy still daughter barely formula enjoyable nice inclusion monk th case apparently th episode alumni monk brother final season really pull accidental buy fell asleep finger kindle rented thinking sex movie curious enough check classic genre music time spot light thought good job spirit big hair speak movie history perspective know story guy think unsung hero saved sides think glad watched movie version get meet actual hero version thought interesting far interesting see never change wonder make already accident handled modern way back suffering ended adventure nice scenery know reduce minor stress put sleep evening also watch cruise probably never ever able afford one really much many low budget usually good pleasantly several short first best high school experience think almost every gay girl goes second least favorite rest pretty good decent quality good story enjoyable lot able relate always avid reader time delve works decided go ahead buy instead trying get wonderful never get around finishing glad way intriguing originally thought sex secret something learn movie pretty good overall would hearing people involved also something old northern myth lived harem sultan pampered life narrator although usually life luxury let forget also every sense word either stay go often sold away young ever would sultan usually ended serving taking care instead manage catch eye sultan become concubine would quickly find caught world jealousy intrigue conspiracy even murder amongst vying gain attention favor sultan ultimately become next sultan mother sultan finally gain power sultan complete power life death times man slave would call existence soon vacation pacific found documentary instant video informative entertaining peppy young host traveling around budget pacific region young host rather south somewhere delightful accent portion new exciting large part video much fun thinking traveling pacific video give glimpse see good archival footage often seen anywhere else early invasion covered good detail series comprehensive instructive fought brutal war war mercy given none either thoroughly lots new video audio thing kept star highly depression baby lived found documentary really expose complete hatred able use advantage also fact part russia vastness landscape ability produce huge sleeping giant enjoy history like many concentrate pacific fought ground documentary story massive war also fought eastern front russia initially rolled aggression like many course end story russia comes roaring back eventually persecuting war way berlin great original film footage good narration would better title doc tide war reality truth turned think knew invade worthless win air war hesitancy lost russia turned away original megalomaniac whose use diseased brain map fail good thing allies fail would speaking german though father whose career military intelligence would us family extinction graphic honest several command equipment clothing defeat information problem show complaint ended beginning turn tide show successful drive berlin good old could take advantage animation war documentary worth watching familiar eastern front sequence leading german operation seen disc without disc complete critique german war cannot made insightful look one history lots information time history compelling rare footage interesting film thought video fresh material worth look sides shown well soviet great footage significant aspect war vastly clarity narration quality script music good give idea ground combat however along narration well eastern front combat interesting would recommend anyone interested world war many serious taken right world war enjoy really also great recruiting tool would like see video everyday life amazing build architecture great documentary great cotemporary documentary film full history must national monument thoroughly complete new video sound quality would better would given equipment provided allies engineering know fought valiantly vain madman continued blunder procrastinate due manic depressive fugue continued favor allies morphine hopeless addict megalomania could decline psychotic many would argue condition time always basic part character personality important documentary accurate information narrator ability convey information original footage excellent documentary theses excellent absolute fanaticism two pitted one grim accounting civilian statistics beyond reason war desperation original footage graphic revealing narration negative series footage glimpse unimaginable brutality fighting often seen within perspective historical value information reasonably accurate interested epic confrontation psychological impact military history easily find misinformation worth time best one level knowledge ability tolerate tedious narration usual release date relevant content bit puzzled book video presentation book simple compilation original footage multiple german russia certainly intended depth study date documentary even tedious narration cannot deny source validity original footage video thought raw suffering sides war although western allies help growing thought history way around video lot actual footage seen well worth time watch notice seen read historically accurate enjoy watching archival type many wonderful conflict one much barbarism sides blow mind love thinking infallible history would vastly different never two front war even know better enemy front well behind like like short less hour lot beautiful camera cathedral history good connection geometry interesting narrator voice annoying opinion overall nice documentary city detective grace never much one straight narrow frequently forced balance personal smoking drinking sex family high stress job law enforcement mention angel earl sent god convince grace turn away evil ways god grace may road hell earl spiritual guidance may able save saving grace season continued grace turbulent relationship fellow detective ham impending wedding ever present fear death grace friend day day drama working constantly memory city course grace journey faith intense first season season two spiritual character centric series known cast saving grace phenomenal led holly believable relate able performance grace key include earl woodbine amazing intensity chemistry screen make semi intellectual death life faith resonate force reflect ham perfect chemistry heartfelt performance passionate detective must balance odd physical relationship grace still certain level professionalism saving grace seem little soap opera like occasionally become diluted slow paced episode amazing character development complex character television plot occasionally inaccessible kept forcing keep watching edge seat see would happen next crazy dramatic world series bang leave emotionally drained set season format set also two document many saving grace television person style wrap party cast series second season give interesting look heart behind drama like could maybe episode commentary behind footage even extended make final cut also personally fact series set city rather new york c one typical cop unique setting bring something new seemingly worn overdone genre saving grace season great series character driven cop associated little depth episode thrilling emotional ride stick long turn television second season much writing information story line given series rated mature good reason generally interesting drama moving course quite unbelievable grace gorgeous basically draw series earl great plot redundant show interesting entertaining attempt show detective work personal blended interesting angel appearance one remember life terminal accounting end subtle seen grace great ham still acting like bobby goes undercover show saving grace one best ever except one thing last one two plan season three hope included installment really sorry see series end soon suddenly sublime extremely diverse interesting series season two forward personal growth development although would seen detail bailey chase character plot effectively vivid web real life profound change grace final scene two tortured one straining unfathomable psychological physical pain leather execution full terror submission love fear something soft grace embrace beckon soul soul last life quietly large angelic yielding voice infinite truth look look grace saved choice made comfort passing self really like angel amongst bit like theme crazy cora good right part laura san cute bug rug series much holly rest cast excellent found second season better first grace healing season one better season ended surprising least wife watching many many times bother season three program awhile like bit letdown first season hooked thanks riveting performance holly grace imperfect woman regular basis heart gold earl last chance angel every scene excellent theme music perfect religion belief destiny woven story love redemption excellent story telling something meaningful say definitely adult cop show grace girl next door find hard look unless like anorexia holly good actor cast good mix like saving grace earl great compilation b b year old son really watching different cool going wait half hour movie going slow get pretty good gore nice dose cannibalism like like wish stuff learn show good movie good would funny good action would recommend see incarnation riddler series best incarnation seen understand people like totally dig riddler joker better becomes batman make batman joker best scene batman joker penguin older overview interesting brought back nice psychotic pathetic tops list one bill watched twice first problem movie previous reviewer able stream prime problem film definitely b movie one could one pick apart writing acting production value quite sub par definitely say movie certain charm although acting stiff pun intended actually good jane doe ginny harman mary ease subtlety come across mostly natural convincing extra also joe dale whose slightly top performance added layer humor personality film would sorely missing otherwise may may worth mention brother actor martin sheen familial resemblance especially audibly obvious job character stand far writing goes given subject matter film quite whereas movie attempt gross attempt outrageous humor none soft humor underlying outrageous character film although brief remind watching movie rather grotesque rely gore shock humor induce uncomfortable laughter often find smiling dialogue written seamlessly story definitely weak writing give fact one win wide distribution flow movie actually quite smooth steady say beginning end wherein early found skipping ahead get meat movie long take way back watch entirety beginning say pleasantly hate giving film would usually consider fall short saving private memento cannot bring give film feel well writer deserve much relative rating definitely bad b movie far bad b go one come across many felt actually worth watching real hero leave necessary task life right following destiny silly comedy pseudo documentary group irritating people weekend jaunt looking much people would alienate anyone met worst bob self leader whose control freakish nature one wish would abduct light entertainment times want feel superior fictional people leave one burning question hell carrying tent gave felt like could covered would longer instance married civil union first would interesting learning still good brief documentary film sleeper well worth time money good acting fun movie shame show ever got actually really like picky person comes like watch know like show point however life lesson thing well want serious got get want good distraction past video depth us wanting learn history different quite enlightening easily offended looking review probably read review season love show great could done better job quality along making sure proper order queen fourth show season change wardrobe follow queen episode first see trying new wardrobe sorcerer robe dress default would make rumble big house episode six season sense since already wearing said robe another thing season first following story demon make sure watch order however counting last three watched season seem random solely fun show none really tie together less random watch order howdy ex rodeo cowboy back three even title seen flick thinking going put tummy wrong yeah good go well flick made ashame set live professional times room either make dont gotten easy guess say city fi vest many new new still wear old ways bullfighting seen glam crap sport code life rest pretty much grade mind hurt seen doc spoke respect live code file speak away home spoke spoke like know heck say certain little like example people like hunt well think people like hunt cause well like hunt could bring sport ask question hunting sure would give hunt better ideal philosophy hunting way cowboy said film us true hard core hard working look dumb brains people see dont judge men act say many us wise life guess rodeo getting men sport sad miss tuff sharp men like top line men back days damn good know sport life days like modern day cowboy killing old west left nation sad see know god help us going one thing like flick cut sound real riden see special show stunt men noise think really hear real special effects made rodeo real real fall sound hit hard bull ground made really think rip real real fan dont care sound cowboy falling made special effects happy want real thing wont happy like collect rodeo go ahead get collect dont judge us film thanks interesting beginning getting little predictable subplot real cheesy sometimes right stupid still enjoy wish would stop goofy ness good show predictable plot overall good conflict within show far predictable intrigue season three town early dark turn mid season interesting follow file season four cast great range like love love dislike story line quirky times fun first season notice carter always together temporal correction towards end season three another triangle formed yet relationship carter whirlwind yet choppy fashion last long poorly resolved subsequent problem end season three transition season four based age new offspring large lapse time last episode left maternity leave next time see pushing around almost one year old daughter first episode season four supposed fill gap really let go action built season four opener simply supposed go along ride still fun show eureka first episode chance come back live great normal life find even familiar time well spent love cast way play yeah background sit back enjoy look star trek came life coming life lightly humorous slightly wacky science fiction touching drama preceding good entertaining escape watch quirky fun show watch would love smart house episode seem come interesting future device look forward next writing almost two since eureka unceremoniously formerly network wonderful series charming charismatic cast led colin science miss show terribly understand series show made sponsorship deal meant first half season awful lot consider ridiculously excessive product placement one episode said corporate product town eureka also main antagonist first corporate fixer fisher appreciate able turn behind inspiration ongoing first half season also unexpected exit stark antagonistic prickly relationship stark carter colin alpha alison blake banter highlight season sorry see go always felt rest season lost little zing stark left really recover beginning season strongly recommend people watch second half season introduction love interest sheriff carter ray also romantic interest big arc second half interstellar object headed directly eureka pretty surprising twist expect despite plot arc second half series meander along without much way character development conflict especially true jo matter conclusion season eureka quite dramatic season fact felt like trying find new dramatic never quite got plus side without learned season think season would great work well together good screen relationship sometimes start get routine blue speak something new comes along fun nonsense program seldom death good humor cute also childish eternal whole world destruction lot science nice time little get worked escape enjoy normal hum drum three show still find enjoyable show watch light hearted comedic character development well done despite two negative currently listed show definitely worth seeing liking love show funny get let really like end season thing left bad taste mouth favorite kind show still enjoyable comedy drama show enough watch regular stopped showing new spring like show wife watch enjoy fun perhaps little far fetched heck comedy drama believable good job fighting evil sticking one bitter end eureka word meaning found curt show everything everyone science mystery romance comedy watch fan sheriff carter surrounded smart people intuitive person eureka funny best see order understand dynamics occasionally far fetched stupid part really entertaining mature depth everything nice neat end show everyone great job making fun watch really enjoy show watched far right season great diversion currently love everyone mostly colin joe fun light fun science fiction really total fantasy think show funny stuff little far fetched watch much time know would thought watch getting review telling know watched went season pretty good would suggest anyone fi watch funny witty thanks surprise overall show better thought good way spend show lighthearted fun watch still watching half way big course supporting cast like show lot humor touch fi plot eureka series please fun smart enough dialogue exceptional scenery staging appealing lab disaster spot casting remains strong love lighting bit time whole brilliant mind normal time portrayal love convincing like see female clothes match female lead character little top sexy dress spike tight long day work linoleum really naturally beautiful need make look like common sense sake sex appeal especially said wait get season watch watched show good love anything science fi pure fiction show genius fun average intelligent cop lovable laughable far fun necessarily need watch order series could go way need follow episode understand next plan watch prime series fun ongoing enough keep interested show took grow really enjoy unique many like entertaining show made think science could change view would recommend watch person show character interaction fun never seriously previous season love turns series season great well finished season good still fresh really aside clear push evolution always maintain pretty good family funny family friendly state art fi interwoven story line seamlessly great skill enjoyable amusing show good show interesting ever story also good bit variety coming different core really like story teach good need done edgy language dress flooded prime time get wrong place entertaining today resort entertainment story find season big improvement season feeling like watching show moving said overall quality show much season least favorite four watched far thoroughly hate see come end every episode get little far show little light idea accurate science scratches low fantasy itch regular well story arc done well little cheesy show times still fun watch entertaining good story line love interaction never know may happen next happy moving story right along henry back super smart really actually qualm many near death carter end season many times human body aged realistically bounce back without showing toll taken least make like month pass showing bouncing around like normal know know suspend reality make least bit sense c mon season got little like daytime soap love drama physical trauma fun noteworthy bob sealed biosphere well ship short reappearance kim beyond sad hate stark longer episode memory correct though get delightful reappearance stark another season sheriff deputy hoot nice addition cast season four plot considerably enjoy watching show bad channel comedy lite enough intellect make geek happy also sometimes common sense get bad problem smart funny intriguing like thoroughly season overall entire season nicely made like traditional science fiction like take modern science comedy town eureka character get involved personal keeping town safe begin feel true sense character knowledge speciality science tension change dynamics character definitely watch first two third season getting excited watch rest show looking show disappointed either since great fan eureka always new quirky sometimes strange fun show time even sensual sleazy fact even sensual humorous sometimes weird see mean watch goofy full science stuff fun definitely recommend show think good show whole family start season try remains one setting always better little confusion figure whole thing even though lot story basic similarity somebody research goes awry sheriff bail quirky enough interesting enough series remains lot fun third season great show flip chill front evening best acting world good clean entertainment wish still even showing show always surprise original cast family addicted eureka great entertainment tongue firmly cheek science little great whole family enjoy show got good mix humor touch romance set town supposedly world best mind live research government everything town high tech futuristic hire sheriff normal population normal story told point view try use high tech even designing nuclear fusion cute season fall flat overall quite enjoyable addition sorry see go end delightfully wacky fi full eccentric surrounding everyman sheriff make sense crazy go wrong sheriff wonderful deadpan humor use common sense set everything right love series show weird keep coming back check premium unlimited hope everyone else like season like daughter even season want keep watching episode episode goofy lighthearted fi show serious fi might like enjoy dark eureka good program turns daily life carter kept interested prior invention information superhighway information bit however serve overview first time visitor born key west thoroughly seeing video would highly recommend anyone enjoy saw something similar think mine produced media company first focus de produced media actually well done different building didnt understand one said criterion building external appearance thought amusing forget internals important well admirer architecture tend see external found amusing de swiss national initial design left actual design didnt presence building phase probably never opening ceremony quite elegant creativity painstaking magnificent entire ceremony impressive forever video beautiful worth however annoying take away program really wish would video without annoying would given star rating love much hysterical wish us see wish could get comedy central watched part nick griffin respect disappointed think may one two thought eh otherwise quite amused overall different kept watching would definitely recommend watch nick griffin fact several already love stand great see great group know better still kind unknown draft young men united suddenly forced join army fight perhaps die without free choice thankfully yet hopefully soon day zero hard sometimes frightening look three young men face ordeal instead pompous politics big war intimate visceral experience interested ordinary war near future struck time west coast response united draft eighteen thirty five sign army duty one month three street smart wealthy young lawyer fragile writer wood month three struggling stay newly cancer free wife rather fight war arrange excuse stay behind new leaves wondering lose leaves ten next month list fragile psyche crumble fear army life death day zero three men must find pressure building new must decide lie day zero cheerful movie despite lack boot pompous political preaching movie pretty dark fare interested hearts young men react react news potential loss course question whether one something stay first time director cole pretty serviceable job slowly snapping point lots raw emotional entire movie cloud dark inevitability hanging like nasty ghost thee dud dialogue embarrassing gay bar simply embarrassing watch despite dark tone cole manage weave comic mostly hilariously insensitive shrink humorous tragic twist even make go easily performance bunch especially since blatantly unsympathetic character mention performance wooden lackluster rather boring background rather solid job hothead actually something love lose grow bit solid intense performance woman future easily wood role man fragile sensitive cope let alone army downward spiral might silly another actor painfully stunning pitiable skill pull breakdown worth despite day zero goal change mind war stance simply give something think definitely worth seeing worth never done short video made core burn quick easy pretty fun excellent used geography class find interesting learn something good balanced workout beginner shape really bad like easy pretty darn tough old good solid workout though use get shape show really scenic beauty montana travel showing preview one part montana looking visit state summer beautiful state drive also fun visit great scenery average production value great narration spectacular still gain good travel incredible area well done informative know would like visit area photography opinion video could somewhat inasmuch opportunity meet enrolled art state university part artist residence program year watching video like visiting old time still super realist become famous always admired afraid pursue new work create great impact good see studio new around well done got movie realize growing epidemic suddenly frightened might family escape plan case epidemic spread aside pretty good fun march inconvenient truth acting laughable ways hilarious bad good whole presentation cool mockery notice people presentation room also getting one thing keeping movie perfect still level budget production appropriate still detrimental experience seriously like movie maker three go wrong ending song head least week story beautifully however take tragic turns starting story young boy many becomes adult beautiful cousin initially make although revolution black mature see made help priest former family servant bob comedy roast funny heart felt despite everyone giving tell end almost feel bad genuinely like bob maybe even little part people buy like air uncensored curse outdated format different get see true side bob already another great comedy central funny gripe lack good enough keep elliptical hour love josh cute originally wonder many broke day pharmaceutical industry going make much worse denial think ad campaign simply attention afflicted whatever ego probably narcissism decided fall sympathy instead social condemnation shut basically gross like guy walking outside panties high face menace ferocity deluding eye reality face much entertaining boring old north overwork inadequate nutrition hopeless self documentary short shallow unlike concise great happiness space original version wonder state japan quality could however depress coal trucks sent collect age matter young old affirm warrior virility twenty might rape woman sadism might order father daughter interesting movie agonizingly detailed would run narrative elaborate chicken egg question came first japan depression anti maybe kept let last review sway watching fun show cure boredom chef grin interesting show good insight always exhaust proving hypothesis though would recommend show sucker good love story truly many gay today fit either one two meaningless pointless sex plot kind depressing either thriller drug addict male prostitute rent boy horror refreshing watch nice love story unfortunately weak little weak plot acting really story cute likable happy ending polished slick production tho camera work excellent little jerky sometimes overall nice little story funny find watching every six feel good happy ending really story line movie rarely get see great real life ranch movie good even sure honest know improbable script strange facial singing reason worked sure earnest ended film recommend movie want see unintentionally funny sweet romance thrown good measure might ask video adorable yes lot shorter movie excusable looking skin content present yes younger male shown behind naked quite times though looking anything sex scene waist also kinky sex dream though fairly well wonderful spectacular acting would say nothing would say better bad either many jerky forced exact opposite natural movie hilarious mostly unintentional pause movie every get laughing control acting awkwardly singing made unavoidable said yes low budget acting going best still worth watching rented movie free due promotional thing gave say regret though glad got free high rating gave four made laugh profusely love movie laugh whole movie plot something gay straight person relate mental health overbearing father written script plain corny times sweet worth watch personal opinion would rent buy movie know many times person would actually want sit watching cute spectacular save money get day rent though masterpiece movie fascinating vignette life alternative like special perspective film notice production date age would guess several old nonetheless good watching covered would want see generally interesting considering travel area video see rugged especially bolivia appear overall slightly amusing although nude completely unexpected unwanted host also well outside top mount fuji lot relatively short video actually possess sense humor yes episode actually quite funny guy clearly best host series except one blonde chick course anyway usual inoffensive globe trekker ambient mix background cool countryside train make good series fuji shrine various weird fun eye place visit brief episode justice great city lecture type video best quality visually information good concise linear story like format almost like audio book know much wide picture good incredible watching waiting yet government lied lied miraculous every fiber cried truth evidence knowing personally people however hidden population fear tactics atlas truth unfolding whether incredible truth truth visible much learn would take multiple peace soul know rare see scientist like make rational argument favor existence still percent convinced exist one near new logical well reasoned well worth watching even lecture one respect subject although leaves lot desired content excellent long history research topic dan audio another context review information well worth listening student phenomenon new story listen like good idea show paying min add another show would interested see first show free film different inside plane well outside flying formation commercial military soft music throughout film inside perspective well spectator look film one long watch front computer front row year old every morning school also someone never amazed want come visit tour good documentary easy understand learned lot way life story told must crazy documentary kung woman innocent childhood free aboriginal person mother five wed man chosen forced live reservation clearly match needs also see shooting movie authentic within quite illuminating missing star due poor video quality could probably documentary everyone see people tend ignore ancestry came whether human race one point time live lap luxury come without cost consequence movie year circumnavigation family sailboat movie leaving trip across pacific three young stopping several pacific south atlantic panama canal passage home primarily travelogue trip little discussion regarding sailing boat maintenance home schooling sundry associated massive undertaking voyage minute movie would effort alone pleasant movie photography good fun watch grow trip sailor traveler enjoy story beautiful quality bad home made movie destruction life property bomb uselessness serviceman war see war settle anything since explode one thing brought movie admitted cause destruction hopefully never used documentary japan picked rebuilt country nothing wrong quality set physically exactly one series box days nice ray enjoyable season less objective actual item condition love show delivery good came broken inside glue fine show funny times riot bought believe wait least season think even decided yet oh well keep watching hopefully continue disk one work tried still luck otherwise nice set nothing high really like show dont usually buy got one gift received gift might considered funny show watch recommend season seen season think good list person rating know reason give slightly barney robin enough stella ted best new york episode season job never usually lot heart great episode stella context ted friend group barney high five great robin work great intervention one best season although advance much nonstop laughter similar game night season shelter island stella ted wedding episode didnt like ending robin really funny happily ever gave story member gang game night intervention wasnt successful father day good see episode lily lily especially good barney side story line really funny always like seeing robin lily together funny wished better though naked man incredible episode similar style season best season episode fight first episode ever watched flat dumb ted barney getting fight little good episode member ted family also didnt take episode nice seeing robin ted together really funny barney robin good three days snow pretty funny really interestingly shown seeing robin barney related love barney hilarious episode funny good barney moment end robin kind stand alone ey sorry funny seeing ted episode front porch series classic great love ted hilarious side robin old king really much anything except ted job funny robin barney wether romantically really funny joining prove ted wrong funny like heavy focus ted also weave robin love life three days rule really funny used good take focus fact lily right time right place good ted love life fast ted love life also really funny classic leap great next season overall season amazing intervention naked man front porch three days rule fast couple bad fight best good bad incredible season exactly ow fast would recommend like show great season best offer defiantly must watch though great consistently good show sure first two better met mother sharp inventive material delivery throughout run still find rack enough make start dust say one recap series ted architect telling story met mother season ted eventually hopefully lead ted meeting falling love future wife general probably necessary watched previous season since past previous character development role well written family appropriate show begging season fall main josh ted barney robin lily series also celebrity know voice future ted actually bob season stella heather bill daily show tony generally prefer ray pain wait slow ray player said picture sound fantastic format season following three ted single pardoning lily season four us look deep desire member gang happily settled worry nothing set stone yet season mark group revealing character ultimately bring closer emotional needs main cast reinvestment namely ted hunt woman mother episode know stella ted getting married develop barney robin episode best new york gang seek diner first new york episode heart gang new jersey see stella home home stella ted call episode intervention ted intervention engagement episode shelter island ted stella rush altar get old episode happily ever gang old episode father day lily baby talk seek advice robin ted barney father husband matter episode ted design company new building robin little crisis affirmation group episode naked man getting eyeful robin ted way revitalize gang love episode fight ted feeling little stella debacle rage fly barney compete robin attention episode little ted sister robin bonding bar favorite pastime hockey episode robin ted decide alleviate stress barney help episode three days snow carl foolishly command bar barney ted lily try reunite despite blizzard episode facing deportation robin help barney order find job episode gang barney secret wife son episode sorry fear ted may try rekindle old flame lily devise plan keep ted ex episode front porch emerge lily ted ted episode old king barney cook cover story protect ted learning devastating truth job episode barney ted impossible bucket list challenge episode little foolish trying impress people work ted architectural company interim intern episode three days rule barney punish ted dating rule taboo episode right place right time barney ladies milestone ted put right place right time episode fast barney challenge traffic ticket guilty tony atone helping ted find job episode leap ted weight business bring party close barney robin funny show excellent writing come already let us least see mother like two couch waiting getting death delay still legendary show though suit much original instead perfection every awhile feel seen similar episode grace deny much fun show watch love enjoy watching various season great stand like news eve episode take three separate find way intertwine intervention episode intervention many course personal barney family see understand sure show may original sure fun frankly every show wire great highly recommend show wait season say found season enjoyable barney ever funny stage getting used ted procrastination self doubt season little flat stella departed scene old magic returned overall happy season wish ted story would finally get moving instead false even sofa really starting look uninterested like show love watch watch love adequate would business thank making shopping enjoyable easy huge fan show first tell straight bat show great first impression watching different version show style mixture romance comedy definitely comedy show definitely recommend watching specific season suggest getting season personal favorite season reasoning season story plot met mother based around goal main character ted trying find love life season many random part anything ted searching love thing goes season fun watching show hilarious season like lot great highly recommend funny episode wild next political correctness show make sure buy want specify item description assumed wrong shipped full screen episode like rest unrealistic uncomfortable watch everything look episode always sunny worth watching received package lot rattling around inside case case broken pretty badly rolling around box however perfectly could great price love always sunny one ever seen proven go distance profanity unnecessarily season opinion detrimental show mystery poop episode show crudeness new rather still found laughing absence family season regrettable colonial era episode gang liberty bell sort made funny stuff admit creative television ways totally love comedy cause new television darned overwrought hard take seriously first kelly hero got way let talk truly sick episode total joke frank mac rob k beautiful name psychotic female character ever seen instead shock lame pop culture goes broke true character study like love much individual episode strong base good good chemistry episode episode season solid far concerned typical way gang inaugurate favorite show time surely everyone get chest favorite show time watch ending sub sandwich like bird kind animal love best season opinion none season still worth buy funny season one love show funny cast always point great show interesting somewhat sordid carry show show outrageous also outrageous everyone first season without group get outlandish take long know show possible season half maybe hunger sunny definitely look forward week feel like best season despite title pooped bed episode really great definitely th season collection must end review good dee hilarious st episode gang liberty bell one ambitious quite ambitious full blown production nightman seen show yet say one best sunny ever made love gang want see one better business treat excellent show live production nightman hilarious fan show see special extra per usual another funny season always sunny whether gas crisis hunting rickety poop mystery always good laugh series start watching keep going one think going good writer curve ball prison break fourth final season season filled kind high octane action wonderful show known prison break one best fox long time sad see go season miller mahone whistler avenge death beloved however truth originally partial revealed mysterious new player soon homeland security agent blackmail dirty work agree agent majority season intricate operation work agent attempt avoid returned prison show slowly thrilling climax many familiar prison break return however story end perfectly many would every performance season amazing previous leap screen lush realistic feel every actor show completely character miller hard edged driven actor character world chemistry amazing two show strong brotherhood help get another crazy set decent collection two series ending commentary really commentary exist would far better know surely could commentary final season also little surprising extended season really part reason getting favorite see originally episode biggest release actually know little picky transparent thin plastic cheap tacky mention seem like protect well long term course new make set considerably thinner lighter somewhat miss look feel older call old fashioned season four prison break make every fan happy fact thought series ended third season think season good ending series filled edge seat intensity amazing definitely recommend got three season hard core nice although way found cover easy handle also nice smaller protective contents series awesome later halfway season got addicted watched pretty much favorite season far season least favorite season season ending come end series good job stayed exciting although somewhat predictable may good thing stayed true role throughout like many quite disappointed unhappy ending overall one best ever watched entertaining man show thrill ride beginning end looking forward outsmart company every unfortunately good must come end prison break season interesting say least someone watched start may little disappointed show came end last season unbalanced writing place starting emergence sudden illness plus bag three heart come although give credit making entertainment wacky thought general performance exceptional usual well definitely force someone quality acting intense drama prison break always great show imaginative story line watching beginning sad see coming reason see two extra mean showing plot insane especially since thought make end watched see end together child four later two straight show finale left weird place never like jump ahead year leave much way ended mean love entire story plot however major hero entire series one everyone else happily ever good show sometimes slow loading loaded good nice wait week see next season best still solid story line terrific show end growing increasingly improbable exotic tension dramatic show simply continue implausible loose many season one story kind let imagination story assume w mahone whistler still alive later mahone little black book whistler mahone talking ally assassin assassin later homeland security agent self get otherwise go back prison reunite team get hold hunting one must try escape l alive w team loose traitor two familiar must try get back w general getting get brain tumor company team split begin working become like eventually begin working together shocking twist revealed regarding mother show finale many familiar return must say finale good bag sent back fox river member fox river returned fox river settle together mahone either got w w pam really tell one general electric chair sucre got w wife daughter c note got back w wife daughter see son becomes congressman rose story necessarily end well good ending good show honestly felt season really dragged still love sucre always fun watch many many major happen season watch follow final break would recommend excellent item came superior quality fast service would purchase miller find working agent clear steal something company important really alive team beginning season many turns season goes last season certainly disappoint probably best next season season action drama series finale one satisfying show thing little end really say work preferred see end problem season disc kept stopping several times otherwise great fox series prison break first season intelligently written intelligently executed endlessly exciting series miraculously two season three cut short due writer strike fox fourth season would final season absolutely love show idea end good one prison break one season concept made two work got ludicrous went never failing entertaining said fourth season entertaining season writer throw logic window character dead return character forgotten come nowhere writer season seem one rule writing go wrong matter implausible make sure character prison season one ran law season escape another prison season season break building interesting right everyone prison panama third season miller brother sucre brad wade former agent mahone homeland security agent self top secret operation help take company good offer immunity everyone table group help self retrieve company little black book back everybody favorite villain bag usual different agenda rest group also much role general moment season four shaking head several times throughout simply completely ridiculous many plot high excitement scale well show divided else could ended ending works could executed little better another note first person complain weak anything goes style writing prison break wish mention writer never write strong main hard deny show strong characterization knack us care us hate trick us liking later let escape without credit prison break run never actor show one even watch show long see shame miller example person see quietly menacing charismatic say overdo sometimes tough emotional way would one range wade watch four show tell goes one unlikeable show sympathetic one short span time even never much series besides look tough description acting pretty much character needs finally whose performance bag got better season theatrical film opposed series would received nomination fan reaction portrayal devious depraved bag likely would end season one relatively simple character one memorable ever seen television series easy task take character frequently character care make every moment keep attention finally general menacing look coupled deep foreboding voice great antagonist gang actor great already taken large majority review much write fourth season television show reading likely seen previous three already seen four fan season definitely worth see last hurrah character watched long prison break lost along way never lost ability keep heart racing keep affection main set said fan series essential grade b season four good previous story apart original idea kind team mission week still growing still worth watching got hooked show worker full review already find plenty want comment show thrill factor went crux show strength episode surprise abound unfortunately keep thrill surprise count definitely ran ways show went someone always family member someone always drop another character someone else later get drop first prison always something else escape making always something go according plan predictability next set mechanics create mean watched whole show embarrassingly short amount time admit season went found waiting watch end sake seeing finally rather looking forward next set rate show overall think harsh enjoy learning main show winded found previously later feeling sorry bag still slightly confused company wondering family happy send everyone got really character development cerebral nature series last written around surprise series would picked tied loose however clearly rushed late party watched first time past month quit watching season well done felt hurried smart thought still finish series though since kept interested enough excellent show root gang hope bag finally coming series original fourth lot going introduction mother story great twist watched series almost one sitting quite piece work story several death tally high anyone first three series must see love series ending really bad like tired try hard good series sad ended way prison break keep u glued seat wanting really enjoy series prison break th season pretty good get exciting however first season still favorite considering route take throughout series prison break different name prison break around understand ride sad original show end understandable believe ended right foot else go story glad keep prison break fix moving forward fan prison break last season great way end show almost perfect thing didnt like season said mike liver cancer season say brain tumor fact removed mike little besides minor season action adventure past back full force conclusion couple mediocre nothing really complain great season great cast see great cast writing one child hood white shadow amazing show kept interested first season last rarity entertaining good season better surprising fitting end edge till one favorite time would rate first reason one got particular season stay true title otherwise still excellent cool turns nice plot initial turns story character bag outstanding series came highly several family season best season season happy season season great twist end way sadly disappointed ending good finally caught break series think pretty put last life separate think push us buy two hour cost much whole th season series wish fourth season definitely new different feel show still one like need could wait start last season prison break excited see justice however conclusion incredible season left depressed previous prison break one full non stop action one think probably must see anyone seen first three series although action different setting still plenty keep one miller gang hot company trying desperately destroy evil group reclaim countless path turns season continuous bit goofy particularly one family member two main refrain saying avoid spoiling suffice say strained credibility times although plot silly still thoroughly season final one bit disgusted portrayal un great honorable organization element went beyond silly directly absurd tripe included would rated five spite highly entertaining probably second best television show ever seen course get enough prison break wish series still lots excitement drama worth watching point show dip quality first three perhaps success still still kept edge seat constant suspense drama discovered series prime fourth season exciting favorite return redemption forgiveness run season even bad become valued team heck even brad tired worrying wondering head explode able live happily ever season easily collection earl whopping majority classic earl rude crude heartfelt hilarious dynamic found third season quality writing still part unfortunately season also far worst earl upon bad consecutive around first third season incredibly bland become fall flat story banal surprising consistent quality huge noticeable drop chunk even grouping sub par still plethora count fantastic thanks longer season order initial quality drop major return form starting got pregnant let season standout include limited magic hour got spirit got pregnant outed witch lady dodge like point witch lady quite possibly one favorite betty white hilarious role line top yet within show norm finale little chubby one irreverent gut half regular network television aside dreadful near season beginning another problem season sadly writer finale thought making decent keeping around rug season even second half easily made last least set season trend minimal bonus interesting gag reel zero retail price expect little set measure regard earl necessarily end bang went way would keep going fun funny question season added collection already three take time invest one better television come past decade end last show find crab man darnel black guy earl father show guess maybe quit making show writer could figure continue anyway watched every episode great show lost way stretch season less returned form like bit much humor last two heart show still like see hour reunion show wrap also enough half entire series yet many absolutely unfunny love good comedy gross humor dumb humor times incredibly hilarious may must buy worth cost especially since earl air last episode help bring closure important either love show hate love every episode laugh loud audacious base comment human condition day age like name earl taken stupidity appealing common denominator observant pithy presentation culture try one episode episode shock make laugh go th season disappointing final episode apparently first part two parter second part never th season last season season three name earl idea earl prison interesting like something great comedy turns much could tell even knew going work cause quickly get earl prison sadly due season three season four less great might final season wonderful show show go least goes high note good season one good season two earl refocus finishing list got full story behind fun guest appearance betty white everything better also got see background favorite supporting always good sadly show ended season good thing unless know sure network next season still hope show produced th century fox luck program find new home fox possibly one hope least fine season enjoy bad find show make feel almost normal show funny want time enjoy certainly get watching good break life comedy night done right name earl thought hate mail las season would learned lesson hell think even last season well show gave good even going give series finale show deserve series finale earl going gave one year finish earl think would enough cancel respect medium yes medium course give earl treatment think season best season certainly think would get deserved get like earl randy crabman joy everyone top form could anyone cancel show like always tried get friend watch say hick show hell would watch boring hick show earl way hick show brilliant show low life jerk help people done wrong past better would happen enough people helping hell think earl one even bother getting since respect love chuck even keep watching could get season without even series finale season four great return form even today show without ending possible want another season warn shot season four kind attitude help us never forget obvious simply care quality boldness show sense real miracle first season bad weak earl four see final list crabman joy randy fascinating recurring without mercy think rating fell season three far worst point wishing end instead end mean crap still average well lee best best finish whole damn thing work ridiculous small bought wife really zany well priced promptly springer neither us bet dumb last bad would nice finished tue list favorite four however good season believe karma earl slide season got back deserved another season gotten one taken find another home cast karma come roost like red away babe ruth gone bottom good good happen bad bad happen find karma fox raising hope first three like gang season see sweet sold guy lemon car fan received selection selection enjoy everything series humor effects drama favorite episode one new look forward next season came close last episode season struck disappointment later entirely glib taste entire season love season actually longer typical first year actually season since serve wrap season major story line works nicely season set make coherent arc add set separate menu scene selection huge problem notice lack indicate feature like use looking missing included end season bonus season agree decision leave season considering people paying complete season partial however season issue personally understand added season three lengthen short season strike give something still think season though confused first four season four also show end season three season three episode well outhouse finger reason one three far season available printed information know logic behind st season season make sense love miss great buy fox learned sides season side side b back forth great hope show bought could watch show plane like package like one beginning movie ace pet detective youve never seen ace thing broken thankfully never horrible talking box crushed case cracked broken throw away ray version season four season version missing first four end third season set bonus available ray set easier viewer watch fourth season everything great condition play great wait marathon bowl popcorn eagerly disappointed like love show previous well title review think cheap finagle single box cost issue would legion shelled another little better bad thought short shipped saw previous small thing anyone else think opening really loud actual show content turn time bring back show one best television series although booth usually strong one smart one occasionally strong booth smart development close relationship booth great watch look forward week enjoy entire cast right excellent story plot bring cast member strength would rated season four little less gruesome usually get chance see make feel like part get watch anxious next season come favorite one favorite love ray quality amazing beef season set extra minimal also found plastic case kind cheap love like love gag reel also enjoy coffee booth amazing chemistry remains one better series around despite imagination screen probably good thing get rid since character one unbelievable series chosen string go instead slightly series since good bad overall series remains good production booth remain extremely enjoyable lot funny interaction tension maybe overall somewhat tend repetitive simply added gore element freak us agree cheap way grab attention discover booth brother comes series big brother initial grief least addition still strong watchable could become better next season enjoyable stop laughing love constant merry go round new trying fill huge void left agree impossible replace love love love get see enough character disappointing season bad took character face personality given season bizarre straight horny character incredibly tech hope season v sane character first say show great every season great eye candy fun comedy intriguing supporting cast however show thought would able view account drag help wi fi love show nonetheless season four opinion better season writer strike even although miss zak general think season better caught attention amazing development character character earning affection course still game great always also device rotating intern good idea one immovable ensemble cast really zak one got permanently hired little bit disappointed blue turns willow buffy reference watch show necessary moral issue part always good resource plot also country wer season four beginning episode love show fully recognize worst season show thankfully still enjoy look forward every season forensic anthropologist well name really temperance works lab works partner booth together solve crime leaves behind skeletal remains rest people lab back particular season losing flurry rushed take place little temperance j jack lance great chemistry show works well tension keep people coming back even always par kind took time though since really like kind disappointing little better although still bit unneeded times never quite fit whole work together well new revolving cast amusing aside string could considered one well except maybe last two plot line booth part like try go bigger shocking season work maybe finally get practice last two seem regard always enjoy crime show though gritty realistic well far know realistic quite gruesome times blood violence little rough although overly display time spent investigation rather gore viewer discretion advised love despite season probably series overall good one learn write ending season five review upon investigate death gathering fantasy sexy blonde agent fretting temperance exposure danger fisher gloomy intern happily joining fantasy adventure track meaning behind murder booth babe black knight mysterious sword meanwhile booth stuck home bad back woman soft skin black hair perhaps much information show console booth time typical fun little confused first disk last disk season package looking forward getting disc little damage case important long intact season series one disc one episode would play correctly annoying thought show might drift silliness repetition early finish strong writing course season definitely entertaining ray edition season four disc four list six actually counting two part episode one last disc goes label error present cannot view fox news getting back way enjoy tongue cheek murder without insulting sense news fairness watching fox season though love love picture quality someone like drop get ray regret minor chip case disk great condition past year become one favorite would recommend anyone fan show come great addition another fantastic season reason leaving star lack commentary yes hart actually like especially absence cast pertaining season actual case size single case insert cast say going give less charge less part experience alone would buy however detract actual material indeed another great season show top game worth buy even feel little please bring back visual next round always good show great actor actress work well together plan bone collection case like series think getting better every season really understand fox good idea skip four first season special season three trying fit slim case care case people used buy soon come four whole point soon able watch complete season whenever feel like really forcing true buy season twice really fair hope think next season video honest presentation spending summer gambia apparent goal film show development student spend time culture think film worth watch went believe good people beware film long good childbirth education classes lot birth footage great film encourage use hunch might pilot episode structured little differently episode seen series wore dress title sequence another case owner stylist lead stylist make sure essential overall pretty good amount talent salon plenty business available outcome good dramatic episode think worth watching see slightly less refined approach show never seen movie prior worth one favorite hair person interested happy barber let hair grow way long barber show interest never salon probably never world high class interest series people series interesting writing fiction book also teacher found interesting series importance strong leadership go strong leader salon could easily classroom restaurant grocery store human side series fascinating strong nonsense leader cruel first clear real heart heart many passive weak provide leadership staff need also works improve though see first season though one person quit instead works staff given get improve teacher pick work appear classroom though series make reality less reality said human dimension far less theatrical similar far easier focus worked rather host almost background recommend show anyone interested leadership works always well usually funny watch getting program pretty obvious clean darn place tuck shirt dress nice disgusting sloppy educate quit mean rude hold sing yell work kind like better much meaner know already need tell however six later stop kind stubborn dumb listen mart elmy de hory remains one curious master art time film nicely life documentary style cinematically better artistically polished f fake said well worth watch simply gritty view de hory could retinue guy real talent could make art world better deception forgery superb job fooling lots people many art world may one investigative documentary trail hory master art forger exciting engaging material really b admitted three times researcher follow way officer call someone false police report officer fault investigating truth way many people want truth main difference search reason someone animal guess tortured tested something want part elder native tribe said always hairy wild man epic know hope never want hurt experimented still like watching people try find one though every time quick note alert original series version special flavour undoubtedly recall sure bring watch series superb though originally new form see lot television back old degraded time nothing like sort crystal clear enjoy today idea good prepare quite bizarre program sort nightmare version early bond film total know wicked longshanks serious enthusiast must see work bizarre genius many wonderful walk memory lane never saw compete series back disappointed last oh well still glad take another look funny felt first time saw low budget movie acting humor good couple great say look friendly fire lost ambitious grand scale fi series today common stunning spiked well executed special effects relentless action lot brutal violent intriguing story occasionally critically today social political government torture erosion large secretive transnational large great promise getting core secret would explain everything always elusive two verge self dissolution last year following promising season one happy see series back track vengeance season three third season easily tops first two core frantic one two understand normal life possible blessed cursed super government jealously trying maintain monopoly violence many save world plot slowly focus first company constant running secret branch homeland security determined wipe little torture experimentation would politically correctly call people struggle good evil good sometimes turn evil evil turn good permanently episode two interestingly old company staff taking sides government lot plot driven shifting appear personal hope really wish give away plot turns season good also possible already watched many already opinion probably lot productive discuss ray edition shall conclusion content following somewhat disappointed season two season true treat surprise spoiled tightly ray box quite large box positive side seem securely place new innovative locking mechanism anything box brief found back side interior wall hold folding carton inside cardboard sleeve picture p video meaning full screen set top bottom extra may lower sound master audio digital presentation run close menu relatively well designed perfect play option play specific disk least could resume play interrupted possible play start second episode one would start play fast forward press chapter skip button reach desired start point could individually individual broken menu play one take advance u control turned pressing one colored buttons playback picture picture cast crew found glad see possible play separately menu u control enhancement availability hero post like pop screen provide information specific character meaningful within context scene time disk network separately playback live season preview live possible may become available time one annoying defect least playback becoming unresponsive universal screen saver impossible resume watching pressing play pause fast forward would return feature available time pressing stop would get movie force reload disk special quite thin season many bad enough almost cross unwatchable territory spoiled story legend season season disappoint obligatory behind little far creative content concerned short commercial similar feature watched waiting enter terminator show universal park alternate bad one made even extra clearly good reason watching director wisdom include could thinner picture playback big disappointment overall subjectively weighted average watching first two think third season quite good maybe going like soap opera entertaining series becoming difficult keep interest time limited try keep watch interesting fourth season may take longer get personally finding need see little variety never know going real dead come back life plot repetitive continue watch largely finish since gone far curious end fourth final season watching without episode episode fun watching volume good came mail great shape came quickly sad season end enjoy well show many plenty time develop play villain really like get explore inner clockwork mind season see bad moon rising song season would think accepted still within gift ability power want use good instead getting rid st century shock world one gladly accept also give perfectly fine normal everybody capable need super strength catch bad overall though always favorite show mine said season go many people decided nothing first season therefore bad show constantly compare show first season show never potential season agree would also like give unbiased review season season three two volume volume first let take look vol volume took ill fated season volume ending tried make due promising thinking son watching rise power even like made interesting story idea formula executed even story arc hiro however main gripe volume ret conning well well break mythology ret elle character good girl turned bad company elle well character end season also like tried weasel messing main impetus evilness season whole idea catalyst one taking note volume little farfetched said feel like show horrible thus volume us loyal understand fi take trying flesh mythology given nice story love show go towards five gone episode future many also character fit right show like episode gave us insight previous generation whole arc journey find father finally getting shape shifting ability thought set character well volume took away peter ability never gave back sure major thorn side also kind like vol happen mention mention formula catalyst kind know got ability overall show trying find footing second season cut short scrap together season believe show good thing need motivation similar explosion however would say show good season since well thanks many unpredictable several thrilling real good really bad get far fetched times season great development finally brother think show ever well written first season volume third one bad much better second forever character since best new season one family disappoint drama enjoy show good see transition villain hero interesting sadly season bought sister show watched whole two days season start somewhat weak picked around middle season previous multiple plot running concurrently easier see many due familiarity core strong collection great asset series really retain slow second season beginning season three good really make show worth watching enjoy watching since us flexibility around family good release provide decent insight come together series wish show love special power peter favorite short season due strike think sat tried kick pace back try get show back course first half season thought bit weak really bad strong story wise second half thought good think season two longer would gotten volume may written bit different thought volume well done strongly written big finding daddy flip flop like think executed well could know overall season strong thought pretty well done biggest complaint season probably bit petty peter lost got back thought pretty stupid use one mean someone power someone else thought thing could create watch show like would like seen thought great series watch like good evil battle real far real life accountability good feel good show watch sad see gone season pretty good kind beginning end though first half rock solid second half good volume much first also hopeful go innovative stuff next volume short season two due writer strike season three comes back vengeance back turns story made show interesting begin good bad seem switch sides lots unpredictable turns season three proved wild ride season four always bit snake grass going turncoat sufficiently well thing nice show watch soon hope come show season good bit confusion think many could even better season good condition whatsoever international customer item time entertaining thought ending inane considering ability good story watching show wish would kept around longer gave chance well written thinking would normal special yoga seeking access entire potential theme ethical moral social associated development fully awake one abuse power interesting see artificially individual might fall trap power artificially induced unfolding would bypass teaching training way yet good keep wanting watch next episode done one better season two series continue two without quite level quality preceding two still worth watching nice movie computer slow able watch like want good though series one sons gift two listed series happy thanks love come ten night one stay totally worth next season really good little bit creepy really fantastic day effect really good product time great condition order great would use service good episode however fitting everything first hurt anyone suddenly attitude unless something brain seem like second spoiler seeing hero kill way really seem like something hiro would mean told way join people kill back use excuse yeah teary eyed still seem right honestly think people think harder play scene unless hero goes back time save way stupid maybe think thing anyways episode good give four hopefully see whole lot like seeing future edit take back said hiro see season much one season felt like one first half better though used first half brilliant season could used brown half series longer fantastic father really dead evil steal touching people plan give trying drug like key lost though season would better hiro peter example like peter powerful half good even season finale good could brain twister even one made sense since blood could used say make least interested seeing happen next beginning season great halfway season far second good see season bring great series volume really vol like type fictional drama reality good season great fine like kind may like watched first season show know ever stopped turns edge seat time fun series give plenty entertainment like season course like well must see super hero kind lots action fighting special effects get new come currently still trying finish season still writing review get computer go watch smart something bigger screen better view better special effects action intrigue going fourth season good experience entertaining would recommend continuation turns happen series would recommend series anyone boring fun figure next step one going take order save world got show people certain pretty cool recommend good series grew weary dark plot would see heroic saving besides previous review hard rock preview unacceptable amount view preview around morning network traffic low sec problem good especially full screen far view cable need first check fast much commotion bit noisy bit violent may still keep watching season best even many people say shark still unanswered would like see cut end story fairly good watch long drawing sometimes like would never get point great episode unbelievable watched previous fine cant wait see next one great drama gripping series must watch great cast wonder whats next star like everyone would love ability casting excellent adventure plot always nice break day day living enough sexual teasing blood high tension keep people watching episode episode one flaw show marathon entire season one sitting every couple revisit series give know critical season remember place go live someone world every episode riveting part pretty good even damages every time pretty close though pun intended k season writing strike superb producer lose way season story line kept guessing going happen next thing like dead people rising everyone first season best still good plus volume interesting ending show fun watch different get great see keeping fresh also wonderful plot keep happen next although agree season set bar show season two indeed weak season opinion brilliant understand thrown together effort salvage direction show season due writter strike concept much help wonder would original volume formally known exodus aftermath virus actually big mess clean hard recover sure would good know would better love season volume change went love line every hero volume saw peter go dark path goes trying save possible world future self bit absorbing ability gave hunger like goes trying murder power trying change good son episode become death see father put evil ways behind went personality volume goes work taking company responsible future peter tried save failure turn kind us volume known towards end volume path personality change went full circle ended original brilliant display good evil think great buy whether item great experience closer season evil good first season even close much better yes well worth watching recommend everyone could watch season two without grumbling much season probably light end tunnel season two complete garbage turned series completely sure bring back turn upside lots change different character see understand season way around first half season three bad season two little hope going get better much improvement might result one season cancellation one best history television pushing one show tragedy another great fortune fuller consulting producer first promising season given writing day far episode ever brilliant season one episode company man suddenly freed pushing made new show runner several show improvement show instantaneous close end season show interesting season one whether fuller show end season three begun direction season two first half three seen show go series generally unpleasant one story arc minimal connection gone making went along making simply good show finally turned around difference indeed fuller involvement entirely possible know end season three actually looking forward episode simply something watched watching chuck lot debate went wrong fulfill potential displayed first season opinion show never took name seriously truth despite title heroic make someone hero heroic heroic pettiness kept taking outrageous like peter leaving puppy making mess every character know anticipate season four season three may much fuller unfortunately left develop new yet unannounced series lone reason hope widespread belief promising show meet initial talented people remain attached project hopefully pool produce something worth time effort last comment retail price ray absurd buy ray days struggling internally whether buy ray think series justify us spend ray make decision comes price around get ray interesting series sometimes get resolution particular episodic subject generally interesting brother got hooked series watching bought gift sure feel going circus back drop right show also would rather seen clear cut ending among left hanging really series number three getting little redundant utterly two season slowly us desperate month vacation due writer strike took could get able recapture magic season keep many new away harmony original cast one season bigger role finally figured could major player love show whole around season hopefully show general good diverse show action every couple find self really good importantly bad plot start get almost running material trying stretch show along even little harsh good show worth watching watch volume far pretty good maybe good first still worth watching first couple season three kept thrill mystery season one towards end season discovery ordered president round capture people possessed story extremely many times repetitive end whole sanders deal one two surprising hear two family hiro oka special calling crimson arc heroic love speedster grant son still normal person quinto ability bother finish jack aka keep family together everything paper company comes love maya blood super human strength elle bell fall end peter milo find father really never mother rose dirty little come end internal struggle trying find actual family whether good bad slightly annoying final episode disappointing ended switching even though sure wrote way continue irritating fact could never die overall season three entertaining quirky times throughout amidst violence split season two different recommend watching episode closely understand little better keep hopefully season four next episode arc better getting worse still good still watching th season good enough volume getting interesting many turn looking forward finishing series really think great show show really suspenseful acting great never would watched lot needs watched short period time forget key pay attention get lost somewhat violent bloody would season bad interesting see discover duality good bad outcome whether something wrong short term might benefit later lot screen time exploring get generous story time well hiro still tend bring light humor darkness seriousness rest show alright love office however found season office know love seem make drastic personality therefore overall chemistry bit disappointed left wondering run long said bad season office still ten times better today complete wash still hilarious let clarify title little huge fan show watch new every night season think every season office charm strong especially believe near perfect season really great could tell starting lose steam especially second half season specifically starting episode fire drill forced like trying cater audience via post like saw episode said hey start writing like accessible obvious humor apparently people like majority great starting paper company pam brought back like show drifting tangent toward end felt like something different show say different mean felt like someone trying pull fast one weird season bad really great exceptional excellent past beef currently airing season marvelous unique series know review season feel strongly voicing office like read show season like even show humor dry awkward passive subtle four made show original version classic best comedy series since season office version humor obvious accessible easy digest obnoxious annoying face change show could probably blame new series recreation along episode lack creativity loss spark time office took turn example use watch office notably would cringe feel totally uncomfortable pleasing rewarding way due nature crude awkward also would laugh also pam warm person quick dry wit always put smile face also kind mysterious always kept reserved nature starting end season especially season outspoken loud obnoxious yes sweet little pam obnoxious cold even terrible cheesy character voice like trying funny mention borderline violent found dating understand reasoning would mad way much seem natural unlike pam funny believable maybe new side pam brought pregnancy feeling new character bone pick first show dependent bought food laundry dirty work smelled breath close loyalty passion boss mentor friend scary season especially season person totally independent actually instead agreeing every single detail like dog like ruthless point sadly miss old oblivious like quickly good importantly character funny made funny towards people office would explain go great detail subject matter absurd new wise sneaky independent overly competitive almost like like comic could go lot longer pam two total character yeah one thing character longer fun loving important stern outspoken serious yes use pull serious yes yes understand regional manager comes new change personality suit well especially since old self beloved everyone respond series branch evolve grow human throughout life expect keep making episode boring understand yes people evolve real life keep interest originality done tastefully clever love growth encourage character show development dealing essentially dealing growing popularity ignorant decision people green light water humor make easy digest state like fact office get popular got better got accessible equaling truly sad thing see happen becoming lackluster writing becoming obviously worn writing becomes predictable lazy time end show went long personally thought much love show wrapped season resolved especially love life pam married course idea series finale visit dunder say get married see everyone bring closure leave open ended well reveal fate company maybe dunder already gone meet old business lot use cookout something great right make episode bittersweet finally reveal behind camera leave high note instead dragging squeezing juice possible writer show would end tell superb ending great series sorry critical get chest see anyone else way new direction show would love hear negative inappropriate casual fan want hear feedback real office force sit new come still hope show maybe season get back track come back fact leave write less give series appropriate finale like office let hope thank reading love office definitely excited getting product however later location thought would arrive would would taken long get mailbox seeing pam running company thought excellent story arc definitely one relationship holly great although felt like little quick moving without well pretty much agree assessment except say overall season better fourth mean season great overall thought season better last one still gold standard probably never topped book holly total joy watch well much tire show pam centric want get married year interest much maybe let holly reunion bigger payoff know finale office ever although great like getting angry trying hide anyway far weak season quite probably worst episode ever prince family paper horrible b story swank hot funny top something really despicable goes beyond funny pop paper company business disgusting holly great paper paper company dunder best stuff office done nothing else typical episode warm fuzzy like would get old welcome change critical negative side also say season seem focus arc like kind place relationship heavy also line odd kelly interaction came back dunder among goes back season spread thin estimation left lot story taking good bad still love show think best one hope clean sloppiness season beyond ray great like new received well hilarious season longer show nice look back past great buy limited edition gift set office season five mouse pad magnet shirt door hanger stress beet honestly came robe oh well threw pam got engaged also episode arc ended leaving dunder ended extremely unrealistic way still entertaining great season think always disappointed behind special huge fan office always always seen every episode believe one top three television ever broadcast along everybody maybe family guy saying say season bit weak got good start amy holly towards end season bit amount quality humor found many cheap require think lot humor slap stick predictable many lose touch especially found character get annoying bobble head shirt bumper sticker going bit overboard season pleasantly season finale really hope next season back would like see holly best friend little less drama going new office please watch watching need watch first order thoroughly enjoy season properly case sure seller shipper fault promptly price good shipping fast plastic case cracked several office season great set get like office series likely already seen whatever regional station airing much review either watched would like never case first watch decide would like personal collection office great experience wife regularly vocabulary like tink n would put show acting television history unbelievably brilliant think writer strike hurt show little couple par previous seem buy time wait move story along problem central story line pam relationship resolved said still funny stuff already worked depth enough keep show going quite watch show picked bonus show hilarious sometimes really long almost like free episode really b material stuff fit show recommend watching episode go wait end watch together wife watched item received good condition gift however previous series well received funny season felt little first back groove excited see many extra like however crew bummer wish show still small enough much special previous still worth though episode wife working company saw episode pam use stay touch made laugh even get searching see exist see anyways pretty funny episode office series good one possibly true office never reach excellence seen two three remains best television entire run series one instance joke bad thinking hell thinking season four episode drove pond told take next right always respect actually progression especially case pam never ending nice see acting like real human looking forward prior season six premier special said include commentary gag reel three academy television office office four one liner soundboard exclusive user string together one show create character audio mix share via live funny another office run good still worth watching still funny long season many funny nights fun comedy genius humor great perfect family good quality show love watch show better better like buy give four think season better however huge fan office think start season season lot version office necessarily humor season going back bearing season get better promise prior spending money would better season start course seen office need know season five good purchase base decision past watching show purchase collection wait season bought target limited edition extra bonus stuff find still might worth target include script paper company surprisingly nice quality one pam quote minute q center bought special edition first boring slow especially since gene present special purchase discuss rationale much scene lake everyone around q becomes fun interesting first row dominate discussion lee mike half moderator half audience nice bonus disc better last writer convention extra least good shaky cam bonus disc comes paper sleeve disc fold set outer case without put script last year bought special edition also came script bonus disc would put script set together fill case would fit even get deluxe version basic one plenty usual funny lots gag reel min lightning fast min min q cast min min waste people edit min anyway another good season gone still say best still set still must buy office fan highly office great show one watch season still airing season funny great favorite saw show losing focus instance introduction holly great worked well show great foil funny likable gone similarly get love triangle come hilarious peak without real story without whole lot mention get one favorite story paper company quickly end guess biggest season lots great fully said show still funny overall melancholy season long gone show great come season show take great really run rather end abruptly although best season long running show pretty much one two every episode definitely get show watched previous still enjoy stand alone season much season always great long time fan enjoyable setting house fire couple include party committee duel affection however rubbish scene predictable cliff hanger wont spoil probably one biggest office start season show realistic funny rushed still decent great idea even think going show leaves think certain creator could revive sure thought office season many bright also thought best episode hour long one super bowl year office dummy face good season said also addition new boss huge fan wire nice see stringer bell decent role starring along side garbage also saying ending season letdown part pam office homage one season version office know know thought well done season fresh full hilarious viewer episode viewer appreciate week main quirky think next introduction new season seemless like whole time look forward new episode rarely disappointed season five office perhaps least consistent since season one times brilliance often two three number either ill unpleasant episode apart presentation holly new pam one painful half ever experienced watching overall season kind magic saw previous memorable business school episode business school class believe might become vampire one except comes pam art class presentation beach casino night fact list ten favorite office pretty confident none season five would list great absolutely scene amy extraordinary character show whole season might turned differently someone perfectly early season rap one best season another highlight engagement way fell apart sexual relationship problem enough like tune week excitement show simply match previous brilliance rebound certainly hope still love love break pam like going huge change coming season six news received season finale turns true want great return want season six crack top ten office list agree love office watched every episode holly great somewhere midway season several consecutive laugh drama comedy many painful embarrassing even look cover couple times hard watch thankfully character episode season finale pretty well wait see season hopefully provide great come expect series still funny also serious little much overboard quite good previous still funny worth purchase fan office season due school work recommend show hope also like player made impossible use product video quality fine get update streaming experience greatly since season great second third still best comedy round brilliant may best writer office episode stress relief explosively funny unusual among office full slapstick perfect comic timing keep building delirious fun worth briefly episode unlike mind front episode kelly perform write character like kelly nothing wrong going sleep table middle staff room birthday gift sense irony timing acute series golden ticket well honest want credit without blame moment like perfect comedy surprise true end golden ticket outwit routine let comedy grounded reality hilarious season saw quite bit change take place office starting company pam foolishly leaving return new boss fire baby whew bit much frankly however show captivating funny end season feel well maybe little even said season one date drastic show season even still evoke sympathy loss empathy pam although relationship test time even season great job expanding story provide quite along way season evidence dunder entertaining us many wow five fifth season office store staff accounting people dunder love new person holly amy rival paper company paper company course lonely hearts valentine day party fifth season office poignant funny often bizarre manage change remain true essential nature bit bizarre amusing relationship added focus holly gave fifth season much injection additional humour pam amusing sweet quite good nice commentary nearly many made episode make amusing alternate version watched also get great bonus show follow miniature also get gag reel drawn event academy television series also get amusing office well much complete package office terrific series nearly flawless season first time ever watched show reason gave chance saw cast night court used watch time episode got lot great performance episode well deserved might go back watch whole series start found pretty funny say bought wife per request watch show much prime time television avid fan obviously great series personally believe much worth watching prime time unless care see something sex adultery modest idiot men cannot rise stupid like guess looking laugh category would fit rest television enjoy great expectation picked season rock show growing show unfortunately season bit setback strong finish thus given star rating reflect general find funny rock absurdity corporate culture strip point haired boss incompetent powerful rock absurdity jack alec difference rock least jack often correct interfering show even educated university educated season however jack omniscience absent becomes one boss therefore satire level therefore enjoyment level another decision jack rival ship ge go deep end become bizarre feral homosexual surely jack great rival jack season finale better treatment course still funny numerous guest plot bring interest ongoing unfortunately point mention guest maybe year crop especially early season self conscious e high story oh look martin previous used probably household solid perfect tone show several season new start appear e g arrival obviously someone else could steal spotlight first nurse hardly flattering attire goofy energy perfectly cast jack ethnic read many season involve character example jack call jack know call call jack sound right last half season easily best biggest season finale us guest appearance alan relative jack needs kidney jack telethon beastie also crow one getting another highlight season episode bubble dating improbably good looking man always way tear parking find tables one bad tennis player teach normal people live usual assortment variety cast various one fairly dull commentary alan suppose lack mash table read one episode almost funny show another great season best show much say fan thing bug ray bummer see better resolution broadcast television player oh well hopefully soon need see morgan getting bigger show gotten better season absolutely great novelty slightly wore season two simply funny still stellar cast fey lemon alec jack boss writing extremely clever two secondary cast slightly top distract morgan jane well anyway wrote comedy better season two even usual slightly aware impact indeed derived comedy somewhat superior approach smug however show afford due brilliant acting writing sometimes humour flat great style often show could use relaxed kind comedy overall joy deserve praise great v show laughing laughing top hilarity show highly talented writing good highly recommend show anyone good sense humor love show really character flaw disc set part one episode unwatchable deal killer certainly disappointing love funny look two three times realize u something funny plight detective framed murder spent behind done extremely well show unique story within theme redemption negative final episode wrapped many loose quickly series sad finish end going make two season least could finished story came upon first season chance second season great witty quirky full love interesting series one show next enough background allow watcher enter mid series easily nice show first season watched season sorry learn show really interesting turns like enjoy series seeing lewis way incredibly intense performance homeland life entertaining lightweight though top notch good continuation season good idea show may end season finale wrapped almost loose unhappy replacement reese character new partner otherwise enjoy fact wrapped find family final episode lewis homeland fame detective former police officer falsely freed given million dollar settlement force track framed side sorry two still like show season really went odd example one episode evil brother evil actual first name bad guy name sister show impact plot validate episode title even going bother explaining call brother different detective series bit wall bad ran two well enjoy nice evening show much violence lot comedy recurring theme extra interesting bad two different story line unexpected one mystery enjoy well cased crew play role great watched much series first nice catch thought cast great exception longue convincing movie role copy southern work even worse becomes amorous cringe like little watching morning hero gal work indeed longue filled sexual innuendo never plot forward essentially cop show filled eccentric two show true potential strength mind series probably could kind unrequited sexual tension police captain detective episodic two incredulous nonetheless story particularly lead lewis reese season life cannot wait finish season however loss sound greatly disappointed found show funny entertaining start end sorry show came end even ending well done really series wish show would still watching favorite show free prime sure would purchase dull life one best first run smart writing character development sad ended bad following initial run time writing review know series watched show needs radical pruning order make excellent show convoluted mess plot drag week week fine cop money wrongfully murder commit continually trying solve part show may well sink make show solve mystery framed get rid people move always excellent actor lewis best present day confront mean still suffer unjustly spent prison still finished massive conspiracy inside police department framed murder sent away plenty present day given attention series excellent former ted early top notch white collar criminal taken home life every time early magic time presently fallen love father fiance father nothing murder magic time reese shahi partner fine wasted season taken away people framed let resume partner amusing affair chief lieutenant need wholly concentrate fresh present day supporting gang excellent story outstanding talent overall personally like actor approach character see reese going ever unreal otherwise another great season life second time series like much season one reason enjoyable show watch everyone would recommend enjoy watching first lost track first season second time tie story show ended episode story line new interesting keep series interesting watched series first decided also watch bad program focus main character personal story creative imaginative got tired wonder good program though excellent mix humor drama new fresh twist cast together well whish excellent enough background information slowly wrongful conviction prison really series wish still chemistry good suttle comedy chose series homeland different character series little quirky fun watch series goes odd still interesting like crime lewis find entertaining interesting though sometimes unbelievable main story line unique side episode think figured goes tangent confuse thoroughly enjoyable cop series bad really flow show two female really ending last show season left hanging season nothing like shahi also person interest good lead detective lewis outstanding ae lead would given five star rating based amazing lewis alone unfortunately star writing challenge however still better stuff network cable plot sub anxious see next relationship police reese maybe written season determine framed murder ago season relatively straightforward season somewhat complex instance alan ted millions suddenly daughter addition instead getting bullet ridden fixed driving grand national sudden jack reese woman ted engaged father furthermore girl people framed looking seem trouble finding even though come go whole lot going sure needs introduction police captain life already lively life show relationship partner reese shahi simply made say wow absolutely nothing everything mobster always entertaining rich ex policeman show actually inspired read wisdom way alan w writer speaker lewis supposedly read research discovered philosophy prison used survive also philosophy car reinstatement police detective lewis fabulous job framed police officer trying find peace life offbeat behavior compelling television bad show get third season first two still worth watching however despite lack series conclusion interesting per episode great acting one quirky show wish show would another season two good well defined story foundation good within two hooked element character show underlying plot though end series outlandish story line different good acting well written wish could see show sometimes little still enjoy hummer lite entertainment enjoy people portray interesting series see end bad play would better star known change direction season season season dynamic season filler unfortunately probably cause demise great series wish would continued beyond season average cop show thread show interesting premise lead character little understanding wrought still bing watch think well worth time whole approach lead man limited appeal bad lewis great role rushed wrap main story line stay show good acting story still well worth time really interesting contrast lewis current work homeland episode attention end lots turns find show really interesting recommend watching life deserved support got around schedule loyal hard time finding series fairly good character development well written interesting second season first season every way remain quirky likable interesting unexpected program old thing really appreciate lack four letter gave way start strong interesting plot throughout honestly felt little wanting said done fun short season show sit back watch spare time sorry ended could gone many ways keep watch lewis role talented actor great acting like people would act tough situation nicely well executed grew really like people like way story flow lewis every thing wish show thank first disappointing reason decided reese character wear hair every outfit thought believable series dressed like cop belabor point clearly trend detective objectify regardless much power may would work hard reach detective watch detective like blue murder vera see mean anyway aside one annoying feature fact really season better move story less silly underlying story line revealed sorry learn series got season sure second season like someone said wrap series hurry get story told lots loose end left dangling story really make sense find done usual fully good seem disappear early dogs think reality continue ending good wife watched show season three course might let cancel prime price increase suspense drama insightful thought provoking would recommend overall like drama action combination interesting go life really good show got caught strike would third season time strike principle bad better average show however strangely season format normal full screen season two weird reason tiny square box middle screen surrounded six inch deep black unpleasant watch like anyone like please comment show somewhat lot good taste couple watch yet season two good season one far terrific buddy cop series unlikely pair light hearted like review season interesting good fine cast guest good show excitement also comedy time would recommend show anyone would like story line good acting excellent casting superb would recommend series fan leading actor show pretty entertaining actually interest even though another cop show even kind comical sometimes wish two good acting interesting plot episode realize much show watched last episode said chose rating materiel ended early opening depth season schedule trying outdo grasp new tech instant streaming dont start fact rating success good ago people watch still air sorry know standard untill new rating standard good soon series wish gone longer watched several times lot violence language family watch also show one long movie found character captivating amusing little watching story unfold exception woman captain first acting pretty good awful writing uneven episode episode like sometimes trite predictable sometimes pretty good clever twist standard cop show plot bad story could completely play great show nice little twist crime drama genre whole perspective wrongfully looking framed day day job really cool good interaction good subject matter story thinking well bit different crime found interesting enjoyable scary hopeful come elegant story around network abruptly moral story cable series make coherent total package reese deserved better damsel distress rogue get eidetic detective ever become mayor never know lot disappointed ended ensemble worked well together understand watch almost series considering first like episode start finish story underlying plot whole series beat still interesting show like back story hope find framed supporting great writing care want series continue underlying plot mystery show although toward finale mystery lose fun would recommend know someone watched many really series one downer keep dragging instead new season still interesting less writer strike show loss homeland gain getting solid actor funny show show interesting fun love two made could plow long weekend amenable enjoy really enjoy series wished would lot longer two detective looking person framed murder commit cool yes precept cop millionaire stretch like series many ways similar mentalist bit target real life problem shahi aka reese got pregnant pretty much ruined great chemistry show whole reassignment explain absence excuse use head oh well hope baby born soon series continue story compelling detective quirky smart outlook partner sexy mean interesting bad one thought well written regret watching series front back typical mystery cop show except humor found point view great cast find craving fruit watch episode see like thread going throughout episode gathering information arrest imprisonment good well intrigue underlying story show entertaining series castle enjoy watching lewis one favorite second season much first tha captain season better first lewis brought fresh outlook detective refreshing watch sorry two season strange series however justice end bad guy girl saved love show bad another season run show quite like actually comedy really drama really got hooked show sorry got life lot going engaging likable bad plus side leave cliff hanger end leave wishing lewis brilliant wish exciting although felt kind awkward shahi boss season humor first also almost double first lead go almost bender getting seen show interesting bit quirky philosophical watched last year much think series well written well defined central character unique actor also good homeland quite good watched really twist law enforcement entertaining hope come great acting last episode one top prime instant video nice bonus character development well story line continue build second season life sadly show positive note good job ending story best could expect short notice rather ending bunch lose story show could continued story unwinding another show scratch head wonder got like get want good show get need bigger gun glued story always know answer side kick great watching show premise cop locked away maximum security prison intriguing well drawn several heartfelt fast paced usually pretty funny dark fashion follow theme finding really crime got put away even though sort never really put rest never previously come light final last episode family never satisfied really people every night closet millions bank robbery like knew time going season many loose taken care could get shame last episode half show really fun still definitely recommend watching prime prepared somewhat unsatisfying end would easily star except ending put together last moment quality good characterization ongoing sub plot series wish series first time second even better wish never like show humor find love original quirky music season season equally drawing good use time mental health great show watch think plot wife much usual cop drama plot see coming good bad great show great casting like darby aware appreciate seeing wish entertaining funny interesting season well bad guy dead partner saved lewis excellent role short two season series well written well team dynamics main interesting watch well realistically though may intended end two good job tying loose look like would possible disappointed lewis fine job quirky pace welcome relief today unexpected underlying mystery theme well great main thread running entire two love sly humour throughout wish ran another season miss story line season would like order add wish list watched series mainly lewis saw band officer screaming play guess talent shortage good actor writing series great great gimmick main character think series early could better given time work interesting story cast well entertaining thought addition union added pleasant next season life season enjoyable television show rushed finish assume show good good acting well worth watch wife really main character unique way show fresh interesting disappointed made two really bad like type show much better stellar great opening clever writing love cast especially second season love life series wish still air different fun witty acting good first season better season main character quirky personality usually like kind one attention although premise unrealistic casting plot make worth watching like know ran two watched series beginning end three times three year period good story along way interesting well far fetched acceptable fictional best story redemption story ever told watching series much decided get could watch leisure pretty good show watch glad found miss fun watched sequence season season watching sequence good entirely necessary wish season two story immediate case solve going set great chemistry among main great show different wonderful karma new age spin seemingly age old genre lewis pad wish love main actor happy finding new old series enjoy quiet watch loud brash see coming quiet one time comes decisive action quietly whatever complete goal fascinating character interaction funny thought provoking gender play insightful exploration motivation thing surprising two instant gratification environment halfway season find almost enjoyable first season finish series would highly recommend series watch lot fun st season good also chose rating show cop twist interest look forward watching season two life quite entertaining season quirky detective simply running new season still enjoyable premise running thin different kind cop show thought given story line beyond usual crime wish two show work well together always turns plot good show thought good bad know anything history show truly one kind worth watching love show made laugh story interesting attention sorry finish series first slow quirky character understand got way saw last couple much better season pass quite season still best long time lewis marvelous plot turns generally require modicum suspension disbelief different twist detective show interesting always fun see cruise would next realism film emotion large group diverse people day tragedy series much well written well unique funny yes quite different classic version yes missing really cant recreate something amazing version much next person think version stood funny charming wacky dont think people really gave chance given different version complaint would casting blair kim seen weak link otherwise incredible cast wasnt bad could found someone say molly except manic performance kath fabulous spite negative series got bigger hit especially mediocre awful like two broke thriving anyway buy enjoy one complete season episode small gem wacky fun show bad season great original need everything digest process end ripping heart soul original show struggle comprehend foreign humour hope please open something outside world embrace foreign content first great series office given treatment series kath kim original series much better next version get would improving say anything bad bout playback item case wear otherwise fine episode two get run good high really thought show got soon funny entertaining show good cast really show something else people would compare version show one said show hilarious full sharp wit rewind sometimes catch certain show constantly fun unashamedly molly blair great chemistry best ever anyway show extremely rated guess get get bad way never seen version really want show funny sometimes pretty hard blair snotty spoiled character see got kept way smaller like still definitely worth watching upset show show anyone watch unrealistic show people totally relationship share version directed coach vincent terry tony team gave excellent see version little disappointed great documentary real life world sailboat personal goal join like sometime near future watch film least every month keep inspiration track whether interested seeing like like need something help keep sell home change career path enable thing many life need take place sometimes several order make happen film keep heart head course deeply woman ordeal brave consider want bring comfort son meant revealed even later fate let go story mother love holocaust mother least one experience adrenaline experience go risk protect one beyond control mother son would one thing mother control love son future teaching faith heritage giving incentive carry without grown family mother cruelty people took life bit dry quite good actually woman wrote son incredible ability express quite obviously intelligent would recommend friend interested history holocaust pretty good show glad free prime beat free seen everything give one dark side devil often devil always end many people talk show watch two hooked definitely get caught time solid show good good good action probably level boardwalk empire standard cable show good great show real interesting story line want keep watching really wait watch next episode see going happen great plot development decent multiple story keep attention little violence show gang looking forward next hearing rave decided give shot bought st season watching pilot great able catch start following regularly enough action keep everyone happy watching really show lot never got around watching forgot found available prime decided try glad looking forward season story line dont like soap opera part good actress keep reason really show credible story line good acting story line plot predictable well made story believable entertaining new series look forward thank thankful program really acting little weak little bloody keep interest kim pretty good awesome show far good story line little bit action drama rough part thoughtful look motorcycle club like many flawed truly evil completely self serving character development extraordinarily well especially gemma clay complex story fairly predictable highest level way unfold story riveting show quality equally good first four find show depressing positive however cannot stop watching one good point follow formula plot like dexter dexter basically twisted super hero sit different air wolf hulk kung foo sit whole episode last protagonist writing original however dark twisted picture world would want live though power fantasy alluring also would want sail wooden fight go outer space boxer however love read maybe best fantasy one live something would never experience life godfather successful reading review rating drawn story quickly really enjoy watching show definitely must see watched wait new season lived cal new people like supposed much like way real life actually entertaining engaging wait see season two setting modern outlaw motorcycle club intriguing plenty action time interesting increasingly becoming well several although know much like tragedy making especially relationship deceased father mother stepfather highly flawed people treacherous sad tara highly profanity violence significant maybe little frequent overly gratuitous given setting sensitive faint heart rather like end season leaves viewer hanging knowing turmoil change coming think acting could better little viewer enjoyment might benefit occasional lighter scene overall entertaining viewer gritty drama lots action good show watch first episode fall need invest hooked told many people great series decided give try although exactly type show thought would interested enjoy lot drama every episode great ton action pleasantly much like show season great story telling however series everyone quite violent show fine line free beginning end true pay note save money getting standard definition notice difference watching pay back chick husband fast paced show lots action violence little far fetched cast really well suspense leaves wanting sense humor great writing good acting illuminate perspective life world respect strain believability overall show enjoyable romp world crime violence blood much may make unlikable think relationship gemma clay one better established sexy two grown long time interplay based show twist turns plot suspense front never dull moment show little violent lot sexual would recommend violent sensitive like wife show never never seen taking appreciation class watch drama barely sit still watch half hour show constantly channel commercial comes show friend watched prime excellent story little violent bloody taste interesting view motorcycle gang get survival mode going keep watching show super always edge seat lot action drama emotion fun watch guessing great story line based true life got hooked series one series order series hubby speak word watch fantastic overall thought written directed well watching shine brightly interesting story quickly viewer interested lots different story wait watch season great show season however great far look forward next pretty much soap opera men however stereotype aside well written entertaining wide variety almost immediately least tolerable side motorcycle rarely seen definitely worth watching though let young watch part show enjoyable however everything character drama guess want play great job bit much looking never much done drama thing made broke part thats daytime good show worth watching might struggle much show really great cast good mix story looking forward next season love watching series love good entertainment season know like character decide bit unreasonable tara involved doctor guess young love logic really like show seen people talk never attention seen good show different motorcycle would recommend motorcycle enthusiast good season watch good story line think enjoy watching first season understand story line based true story looking forward watching good cast show great story strong writing great production weird thing everybody always like loaf bread buy week story engrossing took get show last made season recommend stop watching show know get everyone talking season like type show really like one recommend one good really show thought would considering virtually outlaw fortunately show proved little less shallow despite human quickly grew even depraved outlaw probably socially acceptable would ever run across real life hell course someone suspect principle demographic show well dialogue human drama play well thing find well enough principle used production known former hell imagine veteran sitting atop brand new least expensive bike probably used show prissy even less hard core dress bike resemble foreign made crotch rocket much less member subculture still shovel pan yesteryear probably take pride leaky dirty old rat bike constantly needs fiddling fact parking sport bike lot get knocking sport choose modify bike look like something custom got new spiffy fit outlaw image mean talking people wear never wash penalty gang even entire gang back exotic reality suspend disbelief watch fascination watching unfold unravel love mother son relationship best seem find peg bundy definitely good show little slow pure action time consider free prime go wrong remember starting season show nice see great start great show start watching season ended raw gritty definitely hamlet kick ass stuff believe show goes air see story easy get like watching breaking bad every time try something good goes south still try make good promise make better purchase ugly side life say sons anarchy harsh understatement truth character twist distinctive dark south rough diamond humour mine colin dreadful humour written perverted educated git needs spend time watching less time writing also great friend mine colin written author taken twice shot thrice wrote first poor rendition mindless satire colin dust latest example grab enough room randomly hit eventually write complete story author story second great reading funny colin nothing attractive show attract wire complete ugly side life collection said many actually yet ar edge seat case madman caught dexter definite buy know series bought got spring slump watch season loving watched whole experience keep rubber side c order receive timely matter price reasonable check order received good first season want keep watching despite series graphic violent good overall story writing acting great time kill watched first episode ended watching first season sons anarchy good job character development interesting enjoyable follow thought plot interesting acting well done think next season better however good start see get hooked violence however binge watching bit much great show get boring time first season watched perfect role first saw screen think would pull switch peg bundy within one minute peg bundy never came mind role first couple kind boring like get third fourth episode hooked watch show order fully understand plot wanting watch top rated show long time finally sat watching hooked first episode hopefully total work fiction want believe live world total stupidity total rule show overly violent horribly graphic senselessly dramatic develop audience care however embarrassingly something actually get away murder every episode person want watch sure kind television society detrimental grew thinking insane television watched actually structure way silly slapstick comedy show watched every episode thus far way funny cannot help think society entire world truly really fault sad thing undoubtably time grand raising show considered olden days scary thought show bad huge good story line season one bad watching season two keep short sons anarchy terrifically entertaining show fact saying whole lot honest first premise help find bit laughable however way cynical proven wrong glad whether club internal dissension keeping rival motorcycle always something interesting store sons anarchy certainly worth look think disappointed action series great story cast well highly love wish could ride think series certain grit seem real really add series like exciting fast moving acting first rate look motor cycle interesting non national strong story line premise series must see sons anarchy good show good looking interesting different sides revealed one good bad like watch see everyone get whats coming character wish ill entertaining wanting come back like season one much real donna end way much young like getting stream problem please contact good show go good cast notable guest good chemistry show awesome show cant wait season get prepared pick season comes awesome cast unreal show never know really holding back havent seen season get different lately totally worth watched first time addicted beware episode leaves wanting see next best show decent entertainment like play well far cry peg bundy tough old broad trashy time world think enjoy real entertaining yes crazy show excellent plot something wild always end show getting love show lovable good deep deep would want warn show violent vivid rape season young teens violent keeping story line big start season lost recently watched first season thought decent show violent taste streaming prime though convenient watch series rave decided start watching addicted non stop action always edge seat best series ever came week always great also tight well scratches disk case near perfect condition still plastic kind annoying take season set amazing season sons anarchy dialogue season alas like show lot little far fetched reality person works first couple little rough end first season wait watch second bad show would recommend sally fifth season buy show entertaining better despite build well unpredictable one hell ride fashion class style unable access season hope become regular season good show would nice see sit back beach old ladies catch break need know series saber si la son anarchy en series centered around motorcycle gang sons anarchy really appeal never watched original network prime instant video watched first two season wife immediately hooked interesting intriguing killer cast binge watching end season expect watch every episode next great show good cast good writing plenty action wait continue season also included prime awesome show wait catch great cast awesome content like fact show made pretty close real thing well written series best quite level breaking bad walking dead well worth time investment show new see lot people use picture profile pic watch couple season one catching however really enjoying show looking forward new season originally title show made avoid today first finished watching first season series consistently intelligent tend grow show despite violent nature keep growing every passing episode story teller vice president gang one slow burner come across effortless nature show portray effectively audience fan often chair waving air always often times eager show done hell break lose one episode show take back seat mistaken queen bee gemma would incorrect assume show inspiring somehow always couple sleeve even believe three left watched tell feel lucky solid rock never often play show also wonder next even ruthless justice another form street justice small town run local game everyone even local police mean like entertaining show watch b couple days ago like trying catch new season great show flawed blurred right wrong clear cut black gray much less extreme think blurred always something exciting going show heating want spoil anything one interesting create philosophical base slowly building confrontation two main believe attempt romanticize story make somewhat unbelievable works context story attempt create non stereotypical works interest continue see story show little slow little research catch certain thrown regardless last fantastic kept going onto second season bad got hooked bit cheesy times like bike stuff wish would get fantastic hooked watching every night seem bit action great thought would interested show first came air never watched hear good since could watch gave try love able watch convenience enjoy show much since great crime like shield ended nice see like sons anarchy fill missing gap sons anarchy inner gang seen perfectly cast like like reluctant gang especially gang leader clay even pronounced birth premature son discovery deceased father journal especially beginning play almost exactly expect usually journal entry father reflecting contrast plot thankfully show entertaining enough usually wont care actually start get complex last hopefully even season acting sons anarchy perfect top bottom never better clay leader losing control crew exceptional clay wife mother someone shady past gang anything else even family sons anarchy may original show entertaining like stealing least good fan good crime like shield wont want miss strong series grandson series get product worked perfectly fine scratch quality good package would purchase seller great show take mind day admit though hard look gemma see peggy bundy took one star away little formulaic said fun entertaining show let face ladies worth watching teller almost looking much drama maybe change season excellent series great series rogue motorcycle club constant action great writing abound acting top notch production quality good depth well written believable professional use usual story telling video production reason give four instead five kill rate based first far would sustainable organization today us military war quite gory violent almost every episode making unbelievable sons anarchy could exist virtual police state u know today yet series set present day yes gang happen everyday realistic portrayal would better per season would sufficient instead every episode well written directed sons anarchy view dark underbelly world us ever see give four watching drama unfolding become grind always interesting entertaining also dark often mix bit humor story mood bit could sometimes use bit mood lightening still really enjoy watching great good show acting bit mediocre times story good keep genre breaking bad quite good excellent acting story line patterned hamlet believable intriguing thought would hate dragged wife ended loving wife president believe character opinion otherwise would give interesting view living grid person maintain integrity living outside conventional society breaking bad looking show replace gap see show hooked show great hope good writing go season good series worth series little shaky catch hell first couple like hell around series like sister godfather impossible stuff goes around series thankfully tension clay show damn interesting say worth season wait far superior good writing fine acting make drama hit adult show watch pilot episode like one love show show quite people thought give shot take long get interested watching season still holding interest show awesome got addicted watching first episode wish ray instead plain show actually fairly good first season suspenseful hesitant order used probably get new set one really fine small mark one like new shipped quickly look seller future really enjoying show main like hand sometimes watching deal crime think fool fellow never mind team hell find fool fellow much respect lost biggest problem show essential stupidity think meant tongue cheek little worrying main become bit point jeer spectacle maybe tongue cheek show looking forward next episode next season would highly suggest program well written true life crime drama story young man struggling find balance life new father membership motorcycle club watching additional expose true life series remain another good series great casting viewer involved enough story remains true theme good show took feel connected like love show ready dig season far prime good hulu story line lot twist turns anarchy totally appropriate term used describe gang goes price sat someone saw first season said episode missing good gang fare story credible engrossing good cast bit far fetched times clay gemma make show wait catch last season glad watching show want end know last season coming soon good fast moving way never got watching thing would like see woman beleave show show people skinny beautiful really think thats great many today many skinny beautiful people say real people dont look way great job people choice show like action show watch ready next season waiting season io going back seeing beginning wait next season originally season fully understand history behind finding lot season excellent foundation saga great show watch running treadmill since intense catch recent season relatively new show good condition watched entire season within week season able move onto season quickly show want season two sure wait forget think know motorcycle especially hard riding deceptively simple series full complex nail biting drama watched first three season yes watch rest lot action violence also lot love family far lot sex see rest hold plot overall production well done main moral code always interesting prospective works season definitely worth watching season one good action wanting story line good good show watch always good see bad stupid getting series pregnant woman stupidly hurt unborn child child grandmother woman face practically fall onto living room screen addict granny od heart series vicarious living would love squeeze face cashier supermarket made wait void carelessly something twice would love squeeze boss face fun fun series long keep walter mitty behavior head suck right well written bit bloody times totally enjoying good fit want buy cruse open highway good show great interesting story must watch bit crime slash action first let say first attempt streaming video instant video video quality excellent menu interface one best seen show great literally watched first row stopped go bed wait watch rest fascinating great great story course action incredible depth strength emotion felt joy longing plot line equally deep many since many plot shake seeing show commercial free prime really best way see knew peg bundy would look oh hot later first season quite bit hopeful come first half season feel like show really second half introduction vicious agent truly found focus story line build towards made first part season seem inferior paled comparison said excellent production beginning end acting great throughout part revolutionary adequate like show toward end season eagerly starting season love hate relationship like usually like violence show show visualize know without seeing love character soft sensitive side desire avoid bad stuff particularly got rid guy sure come back bite point road train wreck want see help watch looking forward overall excellent season took couple find second half season multiple mixed story really took multiple deep complex going back watch first season especially kindle fire quality top notch sound picture great watch whole episode little go back left love extra good season two better hate gemma love tara promise season six love love show free prime season better close love watching got watching also even brother nothing else like adore love role superb acting beyond bundy awesome crime drama definitely get hooked couple let slow action season one fool watching first season awesome show far wait watch show show pretty entertaining g rated f place violence bloody gore violence story really good interesting charge good cast great fast moving action interesting story season get better episode would recommend want lot action show opinion fantastic watched complete series absolutely love decided come onto prime watch show without spoiling even one second show say part show stunning anything world perfect v without would let cause shy away show stunning nothing world without little flaw love series story line cast great demand since waiting find next lucky get season believe left price great great show pretty good good enough want watch season season different story great watching since breaking bad satisfactory job filling void intensity storytelling left know feel love triangle business sincerely caught guard number season hope rest meet one set finished season week already onto season well appreciate injection humor since overall violent bleak world show convinced root gun running interesting plot rather violent acting good really like young man cannot wait season start season come hooked pilot episode gritty real especially grew peg bundy proved sons anarchy peggy long gone new queen bee town season action full angst betrayal violence also proved also side one thing important club family great start series great amazing writing draw keep interested one best written produced entertaining reasonably intelligent well season one know well hold watch free time thought crime show family show family still family well done fun watch really series good always good really draw world acting decidedly sub par cannot get enough show many great careful start want finish whole season day old ex picture quality terrific issue season show better acting forced first got know better story show improve truly enjoying series drawn looking forward watching series first season awesome hooked first episode watching ever since really show another great drama reason first ran ready season premiere sept first run video demand really disappointed love music streaming video great connection great time much trouble like decent even run half screen size sound often half second second sync gift card finished season tolerable price contest hope improve nice one music video good series far episode need one word submit review pain riding world soul crow straight perfect devil bed die son law turned onto sons anarchy pretty late game season one start season two part family family sons anarchy motorcycle club redwood original essential know understand club club belong anywhere turned gun running violent family group live charming ca yes know teller son club originator curious mother gemma brilliantly president club clay morrow several club people recognize mark junior tough guy kim hit man someone get wrong side come go keep town charming crime free except course gun running killing competitive motorcycle bad local club payroll police nice simple little town course comes town woman determined bring club another stalker man goes one te lots good realistic overlook acting superb full life understand many real motorcycle follow sons anarchy bit violent seem best work concept good watch show great complex sub excellent acting exciting engrossing complicated story though sometimes violence much season one bang interesting story gang may end hope town dealing corruption individual personal also cannot wait see future like feel show written extremely well find wanting watch next one little violent language clean like like story line anyone age could watch make decision look world outlaw c might like sometime funny sometimes sad sometimes scare caliber say nevertheless well written engaging pet peeve close range love show however sometimes like taking right tony play book tiny bit predictable love casting character development pocket openly hard believe wait next episode people bowling team talking show much look forward next episode curiosity checked wow know getting excited story line realistic acting realistic cable great way watch really watching series first year watch one episode per week every watch one show wait watch next week short order thank wrong saying commentary episode fact wrong nice product goes store needs check nothing seller original person great show motorcycle gang type style gave shot found story line intriguing found second season better first get better better season love review viewer start go back see might first time around still seeing good intense never give rating close anything learning enjoying theme show intense times graphic addicted concept acting well done hard believe like club young club size small bike free prime price right think would play watch good show true scene people real would never get car truck wearing cut would always take first finished watching first season different thought would really seen far like show far interested definitively well made hopefully next keep pace finished season last night bit season arrive show terribly agree may bit shrewd able age experience hero first story give hero average average would hope taking ahead point show guy get done think great job role lot depth heart matter rest cast awesome show really say enough dramatic anti hero female lead without good compelling action intense use music inspired kept coming back always human element tara baby gemma gemma clay family hale midst chaos human shining ultimately inner struggle right versus know something give try almost season addicted show well written interesting casting outstanding actor perfect role show real picture slice life group come understand code ethics social structure rule behavior really get feel experience build glad show like watch got brother law show honestly bad show get give chance watch son anarchy decided watch prime glad great show think really good series start finish season hooked believable plot fun good series little brutal great mystery action drama enjoy product husband day watched several times every time shipped timely manner good condition received enjoy watching skeptical first hulu turned disappointment love show slow could get feel th show hooked good times like criminal element daily attempt lead normal yet get past show love show wish language bad especially unnecessary g overall great though everyone thought see noise violent difficult watch times great well written good series one need catch totally get still waiting see story unfold like people interested good story st season really great much graphic language certainly understand reasoning behind language since also think much much continue watch think enhanced verbal assault watching one day last nothing decided check demand decided another nice surprise damages starring glen close sons anarchy starred favorite actress mine going back married running second season saw enough second season make curious first season ordered wow sons leather two caught attention made series enjoyable please god deep disturbing role matriarch clan character love searching meaning better path sam great writing acting come season something would normally watch cast gripping story line love language rough though g used much offensive great acting story line little slow picked pace towards end cant stop series little violent good lying character development quite good different side life us exposed truly watching recommend enough great show definitely glimpse world leave put instead leaves craving definitely forbidden indulgence enjoy series lot looking forward new season fall would appeal similar combination crime adventure criminal perspective family drama portrayal interesting criminal community rating four first good rest series stick whole set exciting sexy action drama everything want good show best series since love show still intense lots action see show eve r bit top times still ended looking forward watching season two great show good wonderful adult entertainment good story like show show jump plot plot know anything motorcycle show awesome wait watch next episode action quality performance action intense edge seat enjoy stuff first came catching really enjoy prime view free somewhat violent tab unbelievable good guy good acting enough sex watch whole series wife may miss good drama love outdoors scenery southern good excellent acting five performance watch complete season weekend highly could stop watching criminal moral kind way lots action want buy watching show stop looking forward season think capable show amazing little heavy violence rated got series late decided start catching pretty good start gift seen yet used quick delivery think would interested another gang theatrical event reason watched couple late one night hooked even though many gang killing gang needs lawlessness sex along people general particular intriguing great acting interesting complex also integrity legal side well gang hooked probably watch sons anarchy unique blend drama sensitivity romance violence make series compelling different raw edgy times necessary factor story violent excessive intrusive story line life sugary sweet underworld crime exist way series one kind highly like something bit different hard believe portrayal well versatile actor highest praise tough warm hard play role fine art series look forward next solid show turns character safe refreshing television series watch shield may lamentably gone prominent alumnus taken upon carry legacy sons anarchy show first season indication task anyone shield combination intelligence testosterone certainly find lot like quickly established among unique consistently compelling got better product broken like new would buy source first superficial nice looking second well written think know going new twist turns upside th season right watching show like reading really good book acting superb sometimes story bit far fetched certainly gripping recommend adult excitement interested guessing coming next attractive funny sexy witty never caught show picked first season try fair stylist probably live bit alternate universe strange little crew far outside realm normal feel watching course part appeal watch scrambling around trying find nipple help think much drama work two constantly encourage one throwing dramatic fit time truly cannot imagine running successful business way impending train wreck still fun watch small really great taste came away season new appreciation dress make hair jewelry create perfect look runway interesting learn great writer however wish narrator told pip pimp main character great great movie enjoy old lots drama suspense seen three movie one keep going back acting direction quick paced amusing street tough biff become mail order dentist win hand girl known strawberry blonde rita one first prominent list film crooked jack buffoonish best biff take fall one crooked business de comely nurse amy thing biff goes unnoticed biff favor amy biff finally get married really bad toothache sent dentist see weekend biff extract revenge walk away end movie study early th century manners mores wonderfully energetic movie performance doodle dandy dialogue fresh snappy de lovely job energy trying keep grounded jail movie always laugh despite knowing coming lost count many times seen movie yet seem tired film works lot cute movie entertaining nice example transition warner crime genre funny light hearted comedy message sometimes better get starring rita title yet supporting role biff along men neighborhood smitten character amy friend biff pal jack neighborhood con man also smitten biff standing biff date get married biff amy console fall love marry fast forward biff amy devoted yet financially couple wealthy financially speaking miserable couple constantly nagging maybe married biff instead end biff finally although beginning much happier amy comedy ever feel better watching form entertainment wonderful silly story many ways go wrong de rita jack another film another full tilt performance left one star nobody perfect exception would doodle dandy would know usually plot multiple direction set design big time fan performance picture whatever seen would watch anyone else cast part imagine anyone else part one classic get see often love film many movie older people though dad fun movie anyone old seeing serious role rita de well song strawberry blonde film title great funny classic romantic comedy good one night man good movie amazing cast show fox episode bad sad see go first episode great next two funny get better better watch lot excited find show really bought gone forever someone working service industry excited finally see show dealt bring show back description program regarding virgin mary nothing content program nice documentary history future waterfall north whether program tell previously know along stunning finding historical present plunge giving data travel faced thrill rescue couple track previously undocumented area program well worth hour watch documentary informative interesting know worth view great show way soon great female cast without pushing feminism far love play story recommend man woman resist hot leather prey based several comic name starring computer savvy k oracle kyle k huntress known black canary together make prey new legendary batman seemingly retired oracle group make headquarters top new landmark clock tower acting quite good look also well done development similar found first show follow universe continuity entirety biggest difference fact daughter batman kyle opposed daughter mob though may come shock first episode good version wonderful character also first far official small screen appearance unlike character much calculating psychopath yet core reason character existence love j still along blonde hair even though series short run good job pull might familiar prey showing batman joker well known major role series part story stay true history found legendary alan killing joke finally found live action outlet quite well done series talented well despite deviation continuity still core character controversial three killing actress quintessential oracle right glasses dialogue somewhat surprise non able enjoy character show another refreshing aspect series butler fairly large role show story well taking care basic needs oracle crew clock tower nice change character instead believing never leaves manor discover two give series four yes contain weekly continuity nothing bad definitely must major watch decent job non comic world new interesting three milo buri beloved father regular anonymous really worried daughter birthday drug distribution negotiation control milo wrapped sordid game victim victimizer welfare family one night clear whole bloody mess volatile film full graphic violence possible done great pulse nervous camera work within cinema cult film miss last magnificent reasonably priced time one piece think sort book decide think true personally believe pretty much book said let face goes someone go full force probably despise st amendment sure larry business people consider sleazy point point st amendment big fan hustler magazine really knew little larry publisher feature film starred woody hustler magazine buy one forcing cover shielded though profile real biography surface indictment commercial news since left minute film narrator sex pornography around middle mostly wealthy look th th century erotica going auction many sutra sold must say something obsession sex push button money fight civil fight first amendment sex either though money investigate variety learned well made film major able war report recent director able unearth great archival footage amazed documentary law school given free speech award course also adult video news hear four letter lot one topless female sequence shooting hustler obscene scene documentary nothing sex actual footage maimed war seeing think twice whether obscene show consenting sex let name dissuade expect see lots naked people larry like hesitate use word enjoy never seen intense dramatic becomes mystery end house excellent show confused last show available could purchase problem would watch computer wife press leaving show thing th episode would real disappointment another series medical drama personal angst house ridiculous overbearing always cannot resist season good even though ended thought well shame never see victory man oh well guess imagine different ending watch came well seller vacuum sealed quality good really show disappointed show also disappointed show entire series lot missing would whole every show included season gave little time flesh sorry show got could truly get ground character thought great role woman defined career lose side husband career rebirth daughter rebellion little predictable somewhat interesting much character kim raver dislike excellent show driven magazine editor unpleasant secret husband heart attack journey discovery older woman relationship younger man subsequent attraction boss made anticipate going happen life also grew like price portrayal struggling designer victory ford found regain good name fickle fashion industry however care love life actress chemistry either leading man paired found fast forwarding especially series brief would recommend especially given reasonable price point father law bought came like though show never watched show happy huge sex city fan looking something similar ended drew show much like sex city first thought season lipstick jungle great exciting interesting great season good last season three experienced season finale finally difficult situation episode path take great episode great start second season although would situation still big fan show first season added plus recommend ultimate lipstick jungle fan think second season better first think lipstick jungle awesome show yes definitely best actress still love episode world think shame end worth season definitely cannot see season without watching drama comedy eye candy must see paint beginner level done younger still working expert video still useful learning medium art plus fun learn thoroughly video buy later date old version lot recent still helpful many since originality posted would recommend one looking art spray painting great episode worth zac soon already ago many repeat worth watching first time much thought would given history looking forward watching episode season price beat target lady sketch hilarious could weekend update little long episode great price horror flick remarkably scary except one two great atmosphere apartment hunting gone really bad actually funny recognize home hunting hopefully quite like fun extreme splatter lots screaming great cool old apartment building signature landscape overall foreboding feel well eerie hallucinatory want get fun rented movie set para compilation horror one abortion social personal however movie rely wealth red scare shock viewer narrative single mother daughter subject unrequited love sad tale find well unfortunately right thing works badly intrigue intensity educational learned like learn enjoy way couch occupier another season turns must see beginning love show humor fun goes long watching much fun weak link whole season dating chemistry ashame headed towards amazing ending tony growing suspicious ending fight apartment ending tony killing hard time believing man whole thing felt flat none together sparked anything everyone except like season six must buy think plot line little heavy season much comedy previous still provocative entertaining watch first timer season start feel show best watched sequence starting season one love disappointed discover sub closed one husband quite hard hearing really enjoy episode much understand word saying please let producer know lot people would buy sub titled closed happy see seventh season sub titled p stand season except season finale tony really loyalty really believable really like blending la group la bunch like naval criminal would highly recommend anyone interested love program sixth season much happy product came took longer ship shipped didnt take long deliver actually hooked via network since past found great entertainment found delivery condition great agree price purchase box store make much sense pay top dollar consider shipping handling well still good purchase great story background heartland woven story giving sight life one watched sixth season phenomenon weatherly mark head elite team naval along cote de pablo rocky also main cast season director role also new spin took reins director season finale added much show fact taken pleasure hence loss star cool j peter lombard also appear season although lombard appear new series shipped promptly price still better local love wait get next series gift hubby first one came quickly watching together love season better ever originally big fan would recommend great mix story well thought ten like reason series number one tell director new team episode felt like left hanging much time went story finished product really good crash personally finding something amazing way good season well satisfied service top wait days received package days well done product shipped timely well condition use company future needs series start wear thin succumb temptation give audience want quickly superficially show remain compelling intriguing entertaining learn without show drift far melodrama soap opera territory bought gift brother watching series enjoy getting season bought gift daughter prior often several row continuity many series get come come good season enjoyable watch story gripping people fun follow us watching night night bought set sister big fan also become big fan series watched big fan abbey highly highly recommend everyone show need start season one carry season want become part life speak worth purchase far good condition scratches skipping thanks item really thinking woman movie need little thought another slasher chop chop movie would friend well tales crypt twilight zone television series film sort short well interesting short price grab popcorn sit back nice little horror marathon wanting watch add horror collection good watch fun movie big fan horror gory one one really good story story keep glued see happen next recommend movie excellent season survivor sugar arch randy since season shot hi release ray version play better today big times watching least favorite character succeed tribe dominate season still entertaining excellent strategy bob season merge good season coming like last exciting final tribal kind bitter jury made entertaining fact major sugar real treat watch wildlife interesting lot strategic still great season deserving winner fake hidden immunity come play law order special unit tenth year lot chick one tree hill never cast new district attorney came got rid halfway season march returned cabot glad see back natural continue impress two best v top especially illegal tiger meat episode show become kind last couple start annoy loyal show since beginning good season ditch lame familiar law order formula rigid day one start sex crime working prosecutor trial often show strength also weakness know formula well getting inured consult watch see exactly show think much done every show finite life span seem eke ten eleven best ever suspect end series still enjoy think fine job would replace anyone show however week week formula cannot help get bit tedious ten especially many fresh new series coming fore less formulaic still watching also little less enthusiastic every time tune probably tenth series every bit good prior nine rigid formula time tiresome cabot continue impress main watch show gave top well worth replacement order made another vendor missing disk set although one came complete good condition torn bit though episode way bipolar disorder however heart went girl spinning control overall one best law order seen educational reason law order special unit around ten watched starting one though would suggest go start beginning sure could probably watch problem connection law order work child abuse rape elder abuse rough require special sort detective division comes stand alone story story go like stabler family life season good better stays good age apparently say last episode largely episode pool interesting particularly interesting one would confession teenage boy untreated belief disease like episode stranger much girl family play realistically always well stabler good chemistry scene captain always favorite mine ice get little season always take second seat cast appear help along bad black white season though many grey discover something relatable make harder want convict like one episode confession want help boy still disgusted season violence gore show may suitable know like probably watch enjoyable watch otherwise rather want catch bad guy see justice done whole premise cop show see bad go one better crime television lot made tenth season probably already know though case season disappoint review far best law order spin like really enjoy one acting still super love show love love drama tension love stabler course drawback fact thought seen gave wife gift really watching however wish could watch watch biggest loser motivation see around even people go home keep season people money show still inspire give less one favorite really workout harder great watch however season hard review worst ever appear show game play mission getting however also inspiring well certainly watch season cheering getting weight loss emotional side think story reach probably scene impacted biggest loser season workout time life cannot accomplish know show lot realistic depiction weight loss credit really make light bulb go emotional side journey hit gut life way still head time think people forget actually concert fun early show decent video time duty give set feel like old rather series breaking new ground previous cutting edge legal week truncated season like show good fun previous show one long campaign commercial democratic party even works overtime promote democrat line president watching urge formation tea party protect quite humorous given since originally also many unintentionally humorous alan shore spader bush administration democrat successor continued without apology show bit hokey trying tug cast laid end series forgetting cast fired went alan shore us every week black president law firm fired black guy cast cross dresser deep space nine cast really regular replacement fine dramatic actor play straight man class alan great addition cast turns palmer two great turns season hoot first trip dude ranch touching thanksgiving episode hint thanksgiving thanksgiving fishing bay double wedding finale worth trip watched previous done check season one perfect condition wrapped well good timely manner would seller product came good case good quality always watching boston legal good show series last season good favorite see miss program good still see conclusion brilliant clever show sorry gone way revisit boston whenever moment enjoy show watch favorite happening world today thought unimaginable love team alan latest boston legal terrific show terrific since longer get see want enjoy enjoy enjoy bought dad show actually year past found box like new present like box set different fitting ending five great boston legal always good mix humour real interesting fact completely ridiculous times added appeal good reminder take show life matter seriously un r de el vino bien en distraught boston legal came end quit watching back know last installment boston legal excited purchase see show ended well fun give alan get stay together good thing considering firm crane aware full season apparently plug show make whole season well worth serious course love whole series glad find season good price best round whole series would consider first season season scrappy series gang find lead fake monster year old son though notice seem able watch like original scrappy season bought substitute new sadly absent instant video like rational remember scrappy groan deep loathing get eventually surprise delight find scrappy still nearly annoying fact even occasionally funny actually cute aside scrappy whole gang series animation actually little better lack musical extended previous series considered good bad thing based opinion edit typo enough lately anyway alas short episode laugh watch rest midst horror movie marathon specifically nightmare elm street one great bring little reality typical theme little twist downfall girl nancy first film new movie goof nancy third movie good film familiar like nightmare elm street series like clever film remember time movie made concept showing reality screen common stated series opinion best acting wonderfully done morse fascinating person top education rather snob surface deep man good heart never classical music officer beneath eventually really like series tire watching fan turn endeavor see morse career choice law enforcement find watching regular television longer spent day watching many love prime season high quality morse series strong story excellent casting continued development morse lewis relationship nice watch mystery crime series plot human interaction completely gore special effects excellent classic done good series quirky detective brains solve strong supporting cast well inspector morse get sense something spoken recommend enjoy mild humor video quality good considering age original product absolutely love get lost plot highly discerning nice watch neither insult intelligence assault witty intriguing beautiful good quality streaming fit like glove character never slow bloody yet intrigue last five different police culture entertaining love agree reviewer best concentrated around perhaps season much instead loving first episode best one centering around murder police inspector writing chapter unsolved discovery theft chapter course investigation morse open cold case year old child murder resolution moving shocking always love morse dual thread story search one thing morse entirely lead elusive truth different deal death feminist cleric murder local painter restaurateur trip outback season five four half always top notch detective mystery erudite dismissive detective investigation somehow always comes thaw inspector morse mystery morse deeply thaw performance need music crossword beer dependency much need breathing rather suspect also fill void emptiness non family life course would deny see dutiful lewis family man husband father c mon lewis let stop pint sir wife home morse right see morning often maze one path back another path many pertinent soon come focus morse lewis necessary pint clear thinking process resolve devilment great character study man whose life work otherwise first time watched first second series think morse character later series said really like thee complexity character lewis super also good always like morse watched good watch good mystery love also like view get day day life season last perhaps best morse series afterwards several yet find view let face series mark jag got one kind really enjoy inspector morse actually people driven duty morality rather great show spin inspector lewis even better little faster paced inspector morse great character pleasant interesting watching inspector morse season become old absence medical examiner appearance replacement temporary attractive young woman boot make interesting beginning season continue first rate usual varied providing head scratching morse lewis wade resolve attraction medical examiner morse consider possible love interest come across well truth morse ask dinner character morse manner adolescent school boy embarrassing question comes mind return season four come morse gather pint turn music loud get work today crossword puzzle better time one episode bypass funny trying make funny episode hurting trying kill cat sad indeed rest cant wait usual dad funny commentary every episode episode good commentary pointed interesting episode days quality awesome yeah looking back whole scenario probably ha one fox best shown today love watch got first also dad fan vol let one panties yet another roger investigate find third date everything goes wrong see recommend purchase dad beat price love dad period better family guy lost season cat mutilation scene become montage like throwing stuff dart board sticks dad shine matter subtle anyone take character make borderline dependent sexually aggressive leaning toward proxy side still make feel like fragile woman mother wife underneath exterior scene stealer center purpose show roger little seth little jack grace whole lot rolled alcoholic alf character alcohol minus extraterrestrial simply best character seth ever create forget roger character needs spin season though still little hit miss classic make pee pants every time think kill classic scotch binge true kind spring break scepter end cough fighting something classic look forward many dad well aware dad always disagree however really think show improving writing comedic recognition rely tired formula writing eventually lazy repetitive see office dad really tried make bit better season going argue best comedy going give credit credit due volume made laugh constantly unlike dad feel quite disposable fan dad brainer get love seen show kind like volume may surprise give chance least dumb peter seth team marketing need put faster see episode love funny politically incorrect show unfortunately continuation roger golden really thought something follow remember reading something seth writing strike way back wonder something wonder greedy scheming alien like roger figured worth maybe especially save also wish uncensored draw back new box original clear case original season box set individual come one regular case flip case inside accommodate instead less appear less stop cheap would rather spent bought tales crypt put one regular case one disk one side two side make clips break shipping causing slide around getting suggestion want wait dad season come mail possibly broken buy store shake test making sure disk loose scratch otherwise may seller flimsy clips show getting better better already vol disappoint bad box crushed shipping luckily disc fine pack stuff way better ultra conservative agent smith keep safe international terrorism provide wholesome family hilarious animated series dad collection family become bond spoof desire ensure perfect epic battle save family housewife open emotionally soon decision daughter dating father body double son revenge popular high school extra terrestrial roger becomes head alien task force new boss german speaking goldfish smith family become game dad hit animated fox twisted behind family guy fourteen third fourth feature cutting edge humor memorable disc set standout like office spring break fox animated add volume collection third fourth season dad original full screen format picture quality truly great bright solid colors digital audio quite good cartoon comedy audio commentary track show production crew voice cast special include uncensored audio selected two behind cry roger master disguise minute comic con table read episode double booty despite fact box set dad volume well purchase b past dad opinion getting better better new family guy getting way topic random together dad volume sure please family guy south park excellent show bad last season opinion season season suppose getting little see change first way end series well written action drama elite major geopolitical day based eric book delta force unit great cast however network series also available set series season wished last spoiler alert one season bring molly back together see mac tiffy stable love show quality great smoothly picture good quality bonus great show kept unnecessary sex language great wish continued th season series finale show good show spite watch end however poor writing bad thought great series sad truly end left hanging team special bring amazing set mix always finding ingenious way extricate sticky situation whether emergency surgery electronic welding speaking various meeting writing credible kept edge seat comforting assurance unit find bring successful mission good exciting series action first rate gripping better overall great show wish air excellent series drama home front action mission like good writer left season ended show still draw four shame see series come end also watched high rating part lure able guess would next entertaining else said could go long diatribe truth justice way bad ended sooner another season would great enough th season unite high quality drama adventure surprise come expect series difficult discuss without spoiling show hope someone lots gold great another season end properly last end way thanks fox n watch season yet need speed working getting watched great exciting slows one point say old stuff drama wow stick great end maybe end gigantic effort overthrow us government built ended big disappointing unless continue pretty good action unrealistic ways season little slow got back repetitive nature little side plot development season side exciting overall season unfortunate decided end series still enjoyable watch even season well though many loose nice first three unit among best modern era writing made incredible believable least good suspended disbelief toward end third season getting little close soap opera mind season four story arc year unfortunately turns little wild especially notion show jump shark ordinary saying like insult considering powerful story telling came last season seen show see bought glad enjoy seeing naturally see season four already quality buy recommend purchase rent get library find way see worry missing something wonderful watchable essential sad see one go downhill really hear could use one get directly plus central railway station certainly speak main language swiss german german swiss german also probably swiss city un swiss wrong police wrong phone wrong car number well wrong language could check many embarrassing really spoiled fun watching show take seriously season bit less well made last one probably knew last dragged bit pity still good entertainment mostly anyway despite sometimes unconvincing acting work sorry see end good show bad series end four year good thing must end unit hat action drama bad ended season would watch action lack intrigue family struggle represent military life although exaggerate involvement work place title fictional based real life clandestine nature unit quite provocative deeply personal tight knit unit family rest well oh yeah story somewhat linear start season episode enjoy would watch made wish show available kind cross mission impossible fort series plot good often good fun overall show finish great action husband show fun gor view point nice choice actually great series far reaching also entertainment thought show put together really well great would assume show costing much produce per commercial revenue generating therefore halting production show many seen fate last one remember moment anyway watched show missing watch show disappointed would gave opinion nothing perfect great series episode kept engaged wanting see must watch like action keep thinking become quite unbelievable towards end drama one daughter going teen great show leave hanging show season wish season new unit good last season definite typical military program see home life family good difficult story men went interesting excellent show unique idea consistent entertainment war terror personal home must deal wish bring back good story family war friendship loyalty men service go well good well done like filled action one bill like development slow st season forward half would rate half way great sorry season show good ever wife watching great show watch year old son really season action great story line well written really good unit season gave ending kept hanging guess left way case would another season see end nice little twist good show watch looking something watch go one watch wife really series eventually start little hokey got better season read lot black type glad finally see something disappointed especially reading prospective fifth season en like nice finish well written show soon see married grounded military violent although generally detest violence violence men experienced job overdone surrounding military work yet assigned unrealistic since men army direct involvement military also unrealistic increasingly questionable unethical decision making leader colonel ironically good yet promotion last episode least would reach satisfying closure four good story valuable ethical life mull story evermore fully difficult impossible team adversity plausible awesome series understand past never show discovered hooked good writing action really interested almost touched shark saved failure return following season fourth season still kept interested got pretty close shark really series probably stopped making right time good effort felt like way involved kind forced fray overall entertaining action would done better job keeping interesting rather whiny think always fan unit love wished would come back ending thought might wish filled molly good kept watching interesting made want watch next episode recommend like adventure people like bad show one keeper quite go great show sorry see come end action well ongoing building great season hate see end potential great guess dumb stuff land action great home front quickly boring know feel need turn good action soap main character family show endure star insufferable daughter guess unit enjoy different military wish involve drama home much good show series handful willing protect country need day age seen compare realism unit mistake first two unit loosely based actual still lore say season account involvement lack season watch season see redemption simply fictitious imagination resonate better general public truth stranger fiction good action series similar especially given lead president soap opera love triangle stuff though good season could tell running story also like closure entire show disappointed series ended really main background action unit around world every week new location different last absolutely reason film fifth season fourth season ended lot loose need tying late lot older fifth season flow smoothly fourth season ended nothing comes close never watched guess next move hard suspend disbelief still fun distraction kind disjointed dead whatever pretty simple formula one part one part shake little covert sneak got unit focus plain painful great acting unit amazing show good job showing home life field mixture army better men exist difficult job get bear burden sacrifice never knowing time men unit unbreakable bond watched episode chose stream smart difficult good especially evocative body language end acting top notch writing better would give entertaining show though times due plot first two far best wonderful series season four pretty farfetched nonetheless sorry see end wished season five opinion show one best made last fifteen love fry great person humor also like abbey upstairs downstairs love season season left disappoint season definitely like season well acting dialogue wonderful usual found couple lack continuity casting irritating realize work way us would really help make effort keep supporting feel necessary tack broad visual end master annoying fry incredible chemistry whole thing light touch delightful dim cheerful aristocrat impeccable manservant find troublesome third season lack usual hilarity second half season pure comedy start finish aunt determined marry horrible sail domineering lady creepy son keep mischief except determined live life every night escape country find pal besotted one ex next definitely full house live without ducal dad knowing rocky live country aunt experience new york ever loyal friend apartment keep dual duke aunt show unannounced keep running aunt theater enthusiast new york problem away letter boat result getting part broadway play happily successful show across sponsor son entire play may go aunt audience going back help since aunt go hall woo also pal pal gussie also present mother gussie cop impersonate gussie impersonate course nothing end well scandalous hot press new fiancee florence sir basset uncle scandalous memoir steal book else even worse spode also steal book get might end marrying soppy basset finally always love pal becomes comrade bingo comely communist uncle providing money wedding unfortunately spode also area causing nasty clash meanwhile aunt steal hideous painting realizing spode also trying steal world full domineering dumb young men lots past aspiring intelligent dim never seem clue unwanted series justice manner would good acting clever goofy direction first half season quite funny somehow taking native soil humor town bit funny rather character see smoking disgrace hilarious like gussie bouncer poetry safe blown cast still flux new several like bingo florence core fry magnificent fry quiet witty superior intelligent hapless optimistic side actor third season bit first two still virtually comedy series ever imperial collapse like bring look forward game crossover episode see beauty sky new perspective famous well done interested visual overview never told us great getting see opportunity would love visit someday documentary history various main feature film island shown great sweeping taken helicopter film go depth particular topic visually really enjoyable watch whether want go think would good film watch trip give idea one might want visit video great first discovered trip concept family except younger video like brief history lesson good video traveling good friendly also able get involved somewhat travel least encourage express exciting perfect free prime instant video rental great got son dad watch great bonding time watching explaining old days baseball classic fight movie watched young sequel van good first decent yes know van damme generation say show step step movie show man glory gains back end written geared really enjoy sugar creek gang clean great entertainment good documentary lots interesting history think covered pretty good think roger great actor bit predictable hey convenient monster entertaining think saint laugh provoking exciting charming look one run wish longer look series always good writing pretty good similar joss dollhouse character dual identity henry mind duty never really sure worked shadowy government private agency interesting always good look slater good job dual henry see one would worked memory air give series lot respect certainly quickly probably big budget instant success good first least young point twilight good miscast look anything like rest family even like worst enemy still better trash slater like show good series last long sad honestly feel bad producer notice name really good high concept get axed damn writer strike woman worst enemy actually strike really show lot really series finale produce one episode give proper cliff hanger ending instead given happen next episode oh wait never one kind ending show much though slater great interesting dual slightly reminiscent verbal kaiser usual mike good unrecognizable funny guy yes dear really shame casualty strike enjoy nonetheless great series really us since show really wrap cleanly last episode left wanting yes great show hoped new conclusion movie keep watching worst enemy complete series good watch slater series totally great fine actor love anything slater show worth watching least wish would went one season story built around wildly unlikely premise wonderful playground talented actor slater pilot hooked watched every subsequent episode series look forward new season running time include original already television even produce conclusion satisfy diehard one would assume would gobble set chance get even faith product keep shipping watch apple really disappointed first place show conclusion include shame show set real disappointment actually might half season regardless knew getting wife really worst enemy air love handled slater two well original version dealing alter ego wife seeing ways office run always fun keep watching long time come sure long show could given half chance case brilliant show attempt reach stride admit fan slater fascinating show naturally worth good premise bit entertaining different normal predictable show appeal made look messy story standpoint found deeply local record store used picked watch episode day workout first episode assume pilot felt complete mess full exposition brief got would much better fleshed hour airing gave watched second episode slow develop story make small amount sense believe society late evolve enjoying story arc think still bit alias couple plot large adult brain get around fun enjoyable certainly understand would likely huge budget need big make like slater particularly fan men play tough imitate jack want less brilliant action soap opera espionage show high production good bit fun thought good show show great season show great potential believe incorrectly given enough time build audience remember top show summer thinking going another ridiculous action show decided watch anyway slater show turned character driven would enough action intrigue satisfy show target demographic slater solid henry watching character navigate kept interest throughout short series many show add say continued streak early show could develop following life worst enemy even southland worth giving view previous correct saying since show really ending still say get worth ten work special needs sad part history wish gone first learned place state school island documentary institution mentally disabled world unfortunately much place society unwanted could left forgotten tragedy first came light institution snake pit nothing done correct state run handicapped expose institution last great disgrace news exposed worst nothing lack staff rampant filth disease new york system much progressive system moving away institutional setting regional group news show find much really forced finally close another wave public outcry unforgotten jack fisher viewer glimpse treatment mentally disabled since closed turns documentary oddly one filled hope getting better pace could hoped film journey several try put back together rehabilitate institution important film watch anyone interested gains made care disabled window us see everyone important society function redefine concept normal great compassion standard definition provided documentary hour two news news watched prior documentary get better appreciation give viewer example much well worth time old story emotional reminder us past use treat disabled touching movie even know even movie informative would recommend watching seen old investigation documentary love sensitivity used film anyone know story documentary good important anyone direct care see used like disappointed much original documentary included product web page assumed original included clips definitely still worth money appreciative hell well one really doesnt appreciate reality point avoidance glad saw one like someone nearly anyone could enjoy didnt get name video really humorous hit childish funny bone superb cool job like commercial one rascal lady haw nightmare land fun fun fun disappointed bonus digital copy work since store title instead bonus digital copy included ray media player march authorize bonus digital copy work media like please also note real special would interesting see process graphic novel done since additional style instead minute movie production diary related movie motion already saw free wired also minute ad new wonder woman animation would rate motion fault pointed male narrator also female regular listener audio probably used narrator female voice still bit manly another note free movie ticket theater check see theater ticket march great graphic novel except animated voice actor yes one voice actor good enough job except female would really hurt get least one female voice acting guy try talk like woman failing miserably pitiful could done better job otherwise great early someone animation studio took idea moving slight motion arm leg voice sound special effect marvel marvel animated comic superman new superman classic collection cartoon spider man collection volume animated set version graphic novel similar old marvel comic animation graphic five half hour two disk like audio book comic suggest r rating put rating adult graphic novel sexually slight nudity could get rid release audio book presentation ease text graphics still hold stilted animation nevertheless animated effects cheesy times like rain effects walking effects like graphic novel without problem comic pop screen away since balloon less like motion graphic novel made video read would picked graphic novel read voice artist vocally little like younger would hoped graphic novel cast radio style production rather one voice weak female try good job vocal direction kelly ward however power spent money gotten casting director done everything warner animation batman animated series latest animated woman two disc special edition digital copy fan graphic novel version great edition comic collection interesting concept love see explore graphic like complete survivor tale vol however suggest still read classic graphic complete motion comic exactly title original comic book brought life crude narration already read graphic novel may enough reason pick collection read book read went caught long live action adaptation time made largely impossible however went picked ray instead honestly blown away captivating simplistic complete motion comic lot like flash cartoon yet remains captivating original work narration part fantastic though would like woman voice female story one man first time hear silk little jarring though easier swallow continue really ray worth fantastic score throughout presentation tense action enthralling sad heart reading book orchestra behind knowing exactly play exactly right times great video quality disc would expect look sharp detailed reading text never issue might version release special bit weak nothing seen two small addition three live connection scene motion picture seeing movie say one whole flick additional disc digital copy complete motion unfortunately format therefore incompatible completely useless ever non reading friend read book still convenient way pass along overall well produced faithful translation graphic novel time opportunity see motion picture well movie faithful possibly still found much ray sitting watching film tension build thematic movie pull brilliantly collection fan looking way get family action great way highly recommend spent movie target like story voicing one guy absolute crap bright side pretty good story far case oh snap get cooler like story voicing seen far question comedian movie comic know movie comic someone comment answer please dangerous mess something highly could awful think innovative exciting major success basically graphic novel retold visually slightly slightly animated form ways method panel panel style book slavish degree fidelity source love way work around visual fact think motion comic story sometimes found little telling story visual form natural flow trickily paced back forth black freighter comic within comic climactic disaster new york set time best book given momentum music downright lyrical one actor text also shown lettered format screen many multiple voice might better uncannily like actor used single voice method tape problem surprisingly good musical score frequently eye respectful director jake strider six spread tell whole story motion comic may ideal adaptation hopefully release successful allow motion comic frank miller dark knight complete motion comic fact pleasantly much motion individual however echo said otherwise fine work plus motion voice acting male minus subjectively music augment individual subdued dissonant times needless fault however voice love motion comic art emotional resonance graphic novel beautifully agree prior poster male voice mother jarring giving four impatient rest happy made quite novelty read along animated read many times still format however agree pointed narrator also first voiced jarring enough make chuckle ruefully sort disappointment true tape dating bit eh single narrator mind one woman handle ladies cast would nice still music mood quite good narrator pleasant voice technical execution animation really clever well done nice diversion true think pay least one episode whether collect overall classy respectful well done effort really give fault narration great job male hire female female joke whenever female came especially sex yes ever hearing man sex two go emotionally dramatic character revealing absolutely ruined true counterpart strength original source material narration quality animation great respect original yet animation fluid greater depth give rounded full would given hired female narrator well new used certainly make worth purchase great graphic novel interesting movie source material came came many great dark horse vertigo always felt set standard great reading people growing grow professional little credibility female voiced male thought unique way reading comic much time read short attention span animation classic marvel captain rudimentary animation great still good motion comic would much much better hired different play different female went way mistake leaving one actor first introduction animated type comic blown away first wish care used narration obvious hear owl voice male voice used silk ludicrous would perfect one voice supposed audio book motion around something complete voice nice offer motion equal see meant like actual graphic novel page page case added book tape narration enjoy voice acting lot could easily get female voice female add much dimension final product little added cost think producer really ball could masterpiece would give star otherwise hope release like long time read every couple friend thought would like never got back able bring buy another new nice alternative could complain static limited motion opposed somebody else trying streamline homage style alan integrity remarkable could lighting dollar would play ball interested thanks great sorry screen remotely good put paper anyone never give comic work shot purist like think enjoy read book least dozen times interesting change pace interesting fun watch still got get book overall lot actual big screen movie pretty good great two complete motion comic one well complete missing probably noticeable left puzzled already long also would cost much hire female voice actor complement talented male nicely varied sadly sound like men drag getting used minor end greatly would highly recommend interested reading book course recommend original first worthy visual talking hood actually cut dialogue comic got trapped chamber exchange cut huge deal story works fine something disappointed thought would complete comic oh well first huge die hard fan alan v vendetta seeing infamous come life astounding still much better read original graphic novel form set interesting got yesterday chapter far motion comic amazing well done however first complete motion comic aware though mind every scene comic covered allot dialogue cut example trapped test chamber dialogue entirely cut big downfall still mean knowing production motion comic comforting thought see tried well understand however cut mean got time frame maintain right c mon people motion yeah dialogue cut voice still alan goodness graphic novel time grateful even made motion comic yeah set die hard new fan want get associated novel seeing film adaptation strongly recommend get set better yet read book good new fan die hard love least mind read novel times astounding like said want p adaptation see film nonetheless let hope stays true book yeah like owl like batman still everyone thought impossible make movie let sit back enjoy hour minute movie graphic novel time shall forever great fan book aware character done man much like audio book complaint include post chapter book sure read book first motion comic book watched although probably indulge many interested experience stays true comic series sure sell average visitor product one area improvement made narration one male voice little weird whole motion comic quite stunning like graphic novel film another way looking complex story imagines would like take seriously one great would panel graphic novel one ninth page entire screen making easier appreciate probably notice unless read graphic novel many times symmetrical background chapter fearful symmetry furthermore action parallelism happening different always little unsettled presence tale black freighter previously struck one many curly convoluted story animated comic presence virtually seamless magnify number downside occasionally motion comic quality jarring dropping story took pretty entire first episode get course meant hooked opening line likewise camera stayed one person face long enough motion usually eyebrow like worm induce know voice acting thought strong hardly distraction note however motion comic included ultimate cut film hence ridiculously low price complete motion comic es un notable de la opus la extension de la la es un excelente al comic de lo bien solo son un solo n de las silk de lo es salvo el de la de wonder woman audio en de comic son la de es el la total de al comic de ser de para la principal lo bien es un tu de la de la realize venture would female course v actor every part actually outstanding job throughout skeptical idea well animating revered graphic novel would work turns really nice got ended watching whole thing nice companion comic overall well done however music somewhat flat composer wrote like generic score could applied number nothing memorable poorly decision use one male actor perform female bad choice female character silly exaggerated quality film huge fan live action movie best way enjoy read graphic novel great better direction though narration spotty motion music fantastic good problem comes fact see intended inflection voice many times word meaning least throwing still first something better repeated right almost distraction otherwise sadly fantastic production say bad job wondering director supposed saying like voice great let really put emphasis wrote thanks great job man still well worth compelling aspect release used frontpiece endpiece also included likely survive movie adaptation another excellent choice inclusion speech text delightful little reading text part voice exactly minor must timing simply way experience visual employed comic book live action movie passionate already taken quite production design horribly miscast bad law work perfect example iconic blood splash comedian button splash motif throughout effectively whole series splash splash voice work initially good actor performance story background music mood without overwhelming despite loss chapter addenda hood psych journal like think would enjoy motion least little confident comic feel really movie version regular movie special like director cut ultimate cut whatever plan buy graphic novel soon never actually read background gotten motion comic good price found helpful filling example finally question mask works history led become story also fleshed favorite character glad missing story giving full technical first color art motion comic sophisticated basic colors graphic novel store colors like motion comic second narrator good many voice really gotten woman female narrator made sound great job sort personally wish would done like marvel spider woman motion comic art sophisticated motion natural done one person fan movie even never read graphic novel motion comic still good idea information think worth die hard fan graphic novel might different take movie motion comic speaking somebody saw movie first yet read novel motion comic interesting treatment graphic novel basically graphic novel added motion flesh action dialogue follow along main thing set five star product actor voicing female ridiculous corner cutting somewhat puzzling decent musical scoring like invest time money create series though related movie trailer ie none print nicely paced presentation issue episode running around min apiece total running time around get pretty would good approach something series curious see upcoming black freighter since story within story supposedly also mask documentary b roll movie guess know mailbox hopefully black freighter stuff project simply together see type product motion future v vendetta coming listed future release product like one looking forward happy get get gave scrappy favorite child nonetheless still bring back childhood love nearly remind catchy original uncle well let em let em already available rich hour precise reason shell dough interesting two two wildly original air ado let ya em let ya em giddy excitement season cried emotional believe world peace see surely solve huge like fashion week able sort easy world peace problem like every season utter crap dribble made marathon season brain intact though bring season much joy think good watch better extra good glad came complete wanting finish series right middle ending saw come seller got time great condition dag intelligent comedian goes edge good way politically incorrect taboo good watch wish still show funny sure got one season could political deep finished watching free episode demand laugh whole time alan brilliant funny exciting watch thank keeping real shame show season smart funny always fan alan great program learned interesting would say interesting thing ever saw good one best series croc ever seen amazing eat year plenty live series territorial best national geo jump leap good series date one get us often bone pick bit overall great thorough account swamp great curious old really great footage family care think one least creator instead evolution however usual national geographic evolutionary millions used far extensive focus part though fun watch learn behavior either way former dolphin researcher found short video demand wild educational fun watch brought back time studied frontalis atlantic spotted dolphin go wrong national geographic video current zebra cover photo bit good documentary lot show gave four times going vacation soon plan taking son year six know watched together maya lot nothing earth shattering well produced always fascinated series disappoint part enactment part documentary definitely armchair historian informative mostly accurate entertaining would love update exploration research revealed film know amazing long ago cute show watch well divorce good daughter watched exercise machine fun watch funny beat show watch watch show sister find laughing entire episode really see know get message movie going develop main character going find love starter wife would consider high quality admit departure messing character joe shame become regular series tell great show wish still air messing great hart great season fun series interesting well cast season one much better entertainment need watch season first course story cute upbeat funny show nothing deep meaningful laugh figure life kind life way cute series watched first came decided watch love little rough still enjoyable starter wife fun story line divorce wife side two fluffy entertainment love clothes hair episode famous movie entertaining believe show love thing like fantasy stuff beginning show great setting near neighborhood interesting half series wish messing great everything cast threw loop season sometimes series look series superb writing first season good writing second season quirkiness season like scenery lovely great beach fun good make good pick good show messing solid performer like like one watch like think little happening life starter wife season little disappointed season finished yet new ex good original ex messing along came starter wife made episode cast well messing gorgeous talented love great little show true life fun watch season aka season series left except add roughly half cast cricket gone lavender gone like never even new ex husband daughter also daughter went without seeming like anything else advanced also went big sympathetic character get trying make believable relationship could evolve went little far hard buy guy super successful cut throat producer wrote act completely adorably said still entertaining show wish would see molly rodney yes even ended funny entertaining great job wish watch feel like left hanging entertaining show great cast written refreshingly frank real complicated sorry season past still stuck episode see story line would go disappointment season one quirkiness first season lost season two many character much attempt become meaningful still gave messing definitely carried show bad got heavy first season better still stop watching would recommend messing absolute joy watch across series looking something new watch enjoy following messing career since light comical series following odd entertaining fun stuff good ensemble acting funny bad last probably look bad admit guilty pleasure lot really good think good learn witty well written watched season season glad decided another season hopefully season forgotten show pretty cleverly done sometimes little predictable enjoy really like messing anything enjoy show think witty entertaining one guilty pleasure use escape awhile always messing thought take chance look one got hooked show sorry good show second season husband long light comedy good show love show believable good really season one two entertaining simple light hearted way smart writing think rich famous live like always staring sometimes ensemble cast works well together well written fun interesting social commentary great way catch short run series funny grace starter wife fun light hearted show filled great fun drama comedy feel bit though times supposed mother divorcee trying start new life yet sleeping couple period men daughter right away character guess watch originally came sad watch great show definitely something want watch light hearted cord real enjoy wish season season better still pretty good bring back see first season story season good documentary gave different side point view get people made big hip hop still fresh color shown page still b w mystery dress like farmer berate men female enough adult men crying like series think like season one better funny one still must see season one seen another video land one perfect complement beautiful historical information enlightening interesting better perspective understanding read make mention place entire series hate see end closure would like know er review er first let say watched er since first season although like several later much still outstanding show cast got many going favorite included ross helping young disabled boy turn leaving county dealing premature birth son finally showing emotional birth carol twin attack carter lucy gang band together save emotional dealing death seen multiple times still cry every single dilemma treat man shot many way hurt family use correctly elevator carol join cameo far unexpectedly double sided turn order watch believe either season goes single side bonus lot fun lots behind stuff really funny information lot medical jargon actually watched er took really lot fun look back favorite well remember may forgotten amazing look back see since example would definitely recommend getting least fan show heyday like missing something nice see past sad finally see favorite show end time last season near caliber quality first last show season hour long look back different seeing old favorite see final show bravo well done love brewer good performance though seen better hope back soon four combine masked wrestling lord savior mention main purpose presence movie save best musical modest production best sound little afraid make fun movie watch terrible acting silly cheese factor great b movie lover treasure one movie movie martial group never anything take seriously kind thing refrain watching show wish would gladly watched first season sure show would gone rather time came end streaming without nice long movie version like bit swiss family island inventively shelter tree top aerie several architectural wonder bamboo driftwood show everyone away ladies lots beautiful chest two main entertaining good entire family provided sit still beautifully like buy rent show better nothing interesting feel vibration tuning video powerful ordered tuning love feeling balance really season hilarious shocking great season suggest buy however missing episode jane great intense done jane job part would like episode included suggest buy actually season instant video also season great job short time available useful non space would like get event one bank accused stealing money bank take care daughter help get ready vocal competition since mother dead cruel school tell truth father becomes ill point almost dying team trying prove man innocent goes review case least grant man temporary pardon see daughter dying extended temporary pardon time father get home help daughter recover time vocal competition team enough evidence prove innocent sweet film one person make difference fight help gone long way learning teach son team coach correct way combine youth coaching book set wish unlimited free prime ordered several use year old grandson advanced watching offer good us together improve pitching side benefit given us bonding grandfather priceless baseball since remember thought great pass year old definitely look series thought video good covering new youth probably fluff rest basic instruction nice went detail different daily show fake news program comedy central program mainly host note us world large often bring people show provide satirical last segment show almost always interview special guest usually politician actor author scientist comedian show typically moment short video clip something unsettling absurd current host program took previous host daily show also spin another satirical fake news show report show former daily show correspondent top right wing character manner meant satirize many far right us still occasionally make daily show either person studio daily show entertaining thought provoking comedy program shy pointing hypocrisy inaccuracy especially among conservative afraid point screw liberal however poke fun current president happily long time favorite target fox news show particularly often honest interesting depth serious meaningful even speaking someone exchange respectful open refreshing contrast name calling often seen elsewhere media today one thing program could sometimes piece event without information event question focus one aspect situation another recent example would piece lawsuit block placement cross site world trade center early august biting language atheist organization brief days episode post fox news atheist guest talking afore lawsuit one many post whole although like quite often daily show particular display nastiness part fox went completely unmentioned daily show entertaining look current politics lens comedy willing take anyone issue whether target conservative liberal show respectful thought provoking like current politics helping humor sarcasm enjoy daily show story interesting character story well executed independent cinema conversation starter space race peace love mutual understanding movie cult favorite mine many first seeing late night brother joe another planet city almost additional character immediately see possessed extra human although mute neighborhood brother understand culture opportunity expound racism ethnic society ingrained casual treatment bias culture brother frank appraisal racial bias era spot day fisher last trick poignant especially saw trick every day find brother society people based ridiculous premise three toe really inherent stupidity based inherent skin pigmentation sexual orientation society acting reasonably good serious subject matter number extremely amusing backdrop really fabulous lot subtlety fun somewhat thought provoking mention wonderful backdrop film like odd old try one actually one yet funny strange real following came brother another planet top list maybe best best would movie experience collection sure really important keep age movie mind done wrong movie boy dame rack plot subtle old school budget limited tell stage bound production two three uncured good kick back movie hour burn willing take step back time could enjoyable true film monte nights old watchable movie great deal selected film pleasantly interesting see one main role usual gabby diction plethora old funny real endearing discussion friendship acting good well nice light comedy time dramatic content good acting fun nice smooth recommend good story favorite story concept behind one favorite thinking comedy several clever seeing streets never bought worth buy like show hard face marriage team gave us big night sleep love together unbeatable comedy sensation like love like work buy like way bit tiresome great eye nice look life work anyone interested interested watching visually appealing thought provoking movie however well overall execution somewhat amateurish definitely worth watch though would curious director future perhaps mature work well worth watch gritty theme nice character plot development superior cinematography acting strong theme pleasant fairly graphic sex put winner quintessential science fiction geared space buck came every boy hero culture planet one early character enjoy watching dead end east side bowery picture quality basically best good enough glad instant video thank making available rate wasteland four love one color much better actor color great early movie fan long remember make bad movie worth watching see starting director calling typical movie day pleasure watch young always give old fashion humor show pace life era typical lum way life interesting well well directed glued screen last least beautiful watch anything one overly melodramatic problem showing action well watching mystery cast good story along fast good interaction white san like see flick available big screen picture great vintage classic least attention current garbage entertainment story father fall father daughter resulting courtroom drama interesting student language found movie also useful good film surprisingly credible lead role would lightweight reason give higher rating book master storyteller much better stick original story nearly perfect rather serious entertaining story full depth meaning turned courtroom movie defense attorney everyone else capable judge think rarely never like something would much stuck story read book astonishingly good second time watching movie first time almost ago first learn spoken movie prisoner war prop cow make complicated often comical escape make back home beloved german grew post war border region two story especially interesting endearing acting superb relationship marguerite cow prisoner touching funny unfortunately least film black white something get used like nothing ever seen found frot little common ways movie painful watch particularly mean hateful story strained since childhood fine job sister want strangle tell stop nice quite man rather peculiar old western stranger town local marshal life aftermath bank robbery soon entering rodeo undercover detective rodeo organizer keep winning prize money event outsider chance win keep getting literally duke infiltrate gang figure operate save day good bit rodeo action significant portion comes stock footage used good number early clearly mark man understandable way make cheap movie back depression marked seen footage elsewhere matter really film music movie riding town guitar singing believe stock footage someone duke though really got though insertion times usually chase scene unusually prominent music mainly least like suppose done add tension excitement important film sound quasi classical music coming nowhere old western really struck quite odd man still hero presence always entertaining gabby make entertaining old western duke enjoy good western great movie real human touch complicated good scenery times boring long conversation overall good entertainment well film given time really connect slow moving well worth time soothing silence sweeny really well gay partner think work someone essentially asocial always fly wall fascinated people play strange say company every awhile like watch movie plot less standing around toying social besides love gena wrong far concerned always talk little much drink much wine little needy neurotic everybody else well directed movie like notion would want participate thank skeet job well done really moving guess read cast well prior watching pleasantly seeing slow paced movie lot time spent love movie love gena plot different likable real interesting story line acting bad never movie sort sleeper flick movie entertaining fun main character cute found development character quite charming light comedy watched catch language even though story line bit far fetched main character appropriately goofy acting role good mood something silly want brush language like much overall funny entertaining feel good different perspective old subject interesting twist predictable plot never mind engaging talented predictability lost happy ending two main sitting moon lost still humming around head nice movie want brief encounter nostalgia grace female lead beautiful voice wondering never seen film quit career early support focus husband hop long career film hope movie return wounded soldier fighting pacific insightful issue never seen movie well worth watching showcase know well vet life family poignantly told good make well love show year old year old since last last year however nick stuck quality part picture remains black pic middle hot disc look alike want back make sam go nuclear date bad boy reunite take dingo must locker fight think previous overall grade b remember daughter watching show television really daughter old watch something prime picked show like good luck thought would similar really great news year old daughter great see watching something together fun see grow show fun completely family appropriate harmless daughter watched whole season great kindle fun small screen happy fast came daughter thing one two floating around loose little plastic hold place broken checked thank goodness cratches works think around route would order seller funny interesting normally beneficial lesson people life wholesome politically likely approve great quality laughing much fun definitely keep catching great way spend quality family time worry watching like good first watched show always want watch funny entertaining granddaughter would recommend never seen show three busy car home rainy day almost year old watched really although sure really understood anything going host popular tend get little crazy silly something tween would love watch think fun take real real work show child go submit story used air think show fun entertaining definitely geared toward older would say older dating flirting crushing definitely something want daughter learn soon another note tween love show language clean story lot fun huge fan little disappointed set second season actually long commonly two separate last new theme song set second season unfortunately already breakdown included set disc alike back sam nuclear bad boy part bad boy part dingo locker part part see two part bad boy alike previously march last year listed one episode season volume set episode already already set similarly previously last june listed two season volume set life already life already set season volume set pageant girl gibby pop star cancel show point set might worth previously single still episode second season yet given nickelodeon release schedule sure funny episode daughter really watching series clean humor talented recommend good show entire family watch show neighborhood th grade pretty funny really like parent show cross line like lot seem tad watched season free via prime membership regular price whole season bad deal season review season review show harmless geared towards year old show funny pretty good rate series well teen lose creativity like ran enjoy worth cant get enough say waiting next episode get remember first watching show even though thought funny bad ended decided buy waiting last two come let see course shay shay crazy way artist brother guy crazy sam host show like gibby gib show recommend show highly still say nick made big mistake ending show like least follow movie let front row seat bag popcorn watching season good clean show fun show time watch funny well great season pretty good later seem even better worth look hear peep yr old got four volume listed included set say personal favorite many available compilation definitely recommend season great show entire family fun usually even converted something sister w fan good show although portrayal poor made look incompetent stupid show cute cute whole bought point cut much fun take trip back young show went local department store meet hand sale never got gun caught eye made heart flutter show much fun v use instead nonsense high tech today better use little imagination make look real time first broadcast man u n c l e one favorite seen since went air except movie fifteen later affair episode probably looking series almost old production look also interest thought episode looking screen closely bought episode nostalgic trip memory lane one growing like good wine age like food simple good well done better would thought time young family sat front watched show could agency uncle fought always acronym uncle well worth watching inclination fun ride wayback machine see mallard spy eighty old still going strong seem little thin comparison threaded mostly blonde decorative music worth listen grew show first season black white best season ace producer writer sam writing later gave us gun travel starting season two uncle batman series first season earth writer residence allan intelligence behind also two law enforcement also impressive humor subtle show actually dramatic slapstick humor found third season shot incredibly low budget made best available saw first telecast curious would hold pretty much probably watch wow knew someday revealed u n c l e agent always enjoy suspense filled trip memory lane basically second pilot first episode solo episode shot color one change solo remade series actor think first pilot solo version film trap spy film solo enemy uncle went wasp thrush wasp quickly close white protestant recent spy crime fighting man u n c l e bit cheesy hand bring nice break today semi realism high tech evidence treatment psych gore besides want go way back beginning also fake pretend technology time good laugh make stop think son watching time entertaining lot different fun educational show daughter find put like good good would recommend anyone nice day bye bye see later absolutely love show want watch every night great production adventurous like taking safari around world love nice see learning cartoon boy main character many learning girly male influence seem around fighting super fighting love show kept going think able without worked well would play daughter watching way husband bilingual know little show helping year old learn love could watch show day long great love go go good video young keeping engaged right amount time without interrupting playtime nicely written recommend grandson look anything else show change channel sleep son show fun character pink purple educational also environment love year old full mode right learning lot fun educational show daughter think good daughter old lot educational stuff year old life saver recent road trip great entertainment learning experience three year old snowy day love environmental emphasis gave us many discussion great item daughter kindle daughter watch educational program well fun year old adventure problem solve new bonus daughter new one favorite show always watch like animal rescue theme environment also learn time son like earth friendly empathic show morals overall great streaming ask whichever episode three year old show enjoy conscious son baby jag worried rescue bag trouble ha ha ha gift nice see content fun learning experience go go good show younger learn vocabulary yr old toddler love interactive fun music upbeat love dance overly though definitely help spark interest nature animal science son take anywhere instead stream kindle fire month old great grand daughter difficulty age love show learning care environment fun way daughter show prime great deal especially prime great snow days go outside show fun granddaughter good content fast paced catchy music one complaint part uncommon even though take granddaughter zoo many even foreign local zoo two year old may meant watch show enjoy watching every weekend first video evening last one series repeated great entertain weather dose allow play outside daughter cartoon bit expensive since want buy going wait month get next one granddaughter guess show cute show year old repetition simple also engaging educational great older two four year old like better depth capture attention get couple done yes son three old watch go go one favorite watch motivational story enjoy watching movie showing need nice helpful came two would awesome fit door tight fit towel door like go go show grandson learn much program talk main character learning language information regarding environment enjoyable watch also daughter cartoon able explore learn many also animal eat love show learn conservation addition learning new great educational program great series educational basic enjoyable daughter show entertain old kindle fire without help grow quite sure lot child educational entertaining three year old always looking something keep something meaningless program interactive educative passively watch interact show love daughter love watching seen two three times every time lot love ease terrific future enjoying program lot lot fun plus love show educational cultural son call interact show adventure son settle ended loving much maybe little less month old explorer although could watch forever driving think music somehow effect better ask rather thank goodness love love learn animal name love people care safe animal smile god bless yr old son plenty sometimes pretty good life good choice aged watching really funny probably watch drake josh great show due clever writing excellent young went show following drake josh turned another top rated production think season one definitely one nickelodeon best show drake josh perfect show average made laugh one watch laugh love subtle love lucy see josh channeling ralph drake channeling lucy funny cool would recommend show people want buy great show funny interesting difference two old show odd couple son movie watch together funny recommend movie niece son thought entertaining funny would season along great good old fashion drake josh could anyone age even though teenage often think together little sister young often granddaughter fan show really watching cute comedy two sister family time entertaining enjoy kind program series love good episode solid comedy j really josh got episode clever animated show comedy may invoke sense disbelief pretend take seriously never make us laugh loud watch opinion appropriate funny entertaining daughter watched start would highly recommend like let watch later later geared older aged lots younger get appropriate enough age roger really one season detective show guy hand stoned set could barely act genuinely annoying probably character real even designed character clothes genuinely like saint series short lived series lot fun natural team tony roger fun loving rich get south went play bond series well paced adventure plenty eye candy one caveat note chronological order page check chronological listing want see order two year old daughter really episode bought whole season saw title page important know child see pirate mermaid daughter mermaid need know episode character might still love even season ghost host puff fired ahoy lady rule dumb driven quite reason although would still watch see better season fear patty absolute riot came rather dull absolute favorite season lost mattress none would miss favor still good season though quite best got mail day love lot bang buck laughing wholesome fun terribly intelligent like son happy add collection comes season collect season give sponge bob love watch favorite animation seem enjoy sometimes conservative parent think material might border would present time fine first great season bad decent like season good season shark buy season buy first buy handful good love series back childhood used watch show time luck well far teen era n teen nick wrapping high school show came across radar course original came version never really got one reason seen one got hooked sure teen drama valuable life climatic story teens one kind audience big fan interesting know middle high face thing much different growing times series able middle different next generation excellent show teens young vast array adolescent sex family season new exciting also able see emma manny spinner graduate final episode season even shocking previous six fan highly recommend product wait buy season good quality large file size remember delete try make pay delete cloud player whatever screw year old six year old love kindle actually forgot keep parent control year old ordered trying play much let keep daughter mermaid episode full length tales roughly hour think way fifteen hour show great give bad review money think worth think worth personally good younger beat three always getting trouble one better first one felt real one favorite character cool rider never fan original grease one favorite love music story acting give couple hooked wish couple like reproduction song every move one two highly recommend great job recommend another classic grease fun movie well worth watch little original lot like sequel grease grease fun watch like music much grease always grease great job one sweet watched like fun watching daughter serious heart attack prefer sequel first installment especially reproduction girl clever complaint maxwell swoon love musical beautiful cast newcomer time maxwell hot hell think also debut young major beauty good grease still fun watched several times prob watch times great classic movie family great movie night grease grease good wonderful movie entertaining whole family good music humorous good great add grease series personal opinion would say grease favorite grease great fun movie timeless terrible move trashy classic already bootleg musical must grease music great story line predictable fun first grease movie first b roll teen flick good lame follow one grease grease always best grease corny time good entertaining always like glad better especially w keep great work fun good first grease dancing good strong cute movie acting music fun took back high school cool love movie may epic first one really like fun movie always back childhood love movie know multiple two shelf together hurry grease hit big clearly something mess quite really bad film quite really fun especially opening back school stuff though occasionally funny well mounted course taking role seriously real musical daughter hooked cool rider happily cool rider yes saying return first grease movie two eve assistant dependable good staged little bigger like show also maybe artificially theatrical cinematic still family year old boy year old girl watched different agreed really need see except maybe opening number strange enjoyable thoroughly enjoyable grease great memorable love maxwell chemistry must see good movie good grease still entertaining would recommend anyone fun movie good great opening number try watch stand alone film shadow original grease yo daughter love grease rented kindle watching great kindle sound perfect good movie especially like watching would like first grease unfortunately however could feel chemistry lead actor movie although stated thought way movie still left little giddy younger might like mature appeal end romance factor left sighing order enjoy movie may need overlook enjoy friendship loyalty love oh forget high school movie simply fun watch plus enjoy draw love movie corny fun good original movie ever lot people movie enjoy spite one fun try take seriously hate course never stand original season one episode show available watch watched fine way able buy whole season watched season last year let admit miss jerry one terrific reason longer show must say show good job two series breathed new life billy six terrific feature film actor every movie seen accepted role series role sam used play prosecutor passionate law justice upstairs top job barely onto good politics police detective nearly strong two really given series new lease life otherwise formula remains start crime investigate try end may many end conviction formula without new life breathed series might give however two kept watching season definitely worth look usually two keep seem happen law order even though rate jerry l detective season next last season stellar series gone many cast current pair good one charisma jerry cynical original pleasure watch sam longer fire eating prosecutor role less empathic political much season election many except spin always technology special effects emphasis talented acting bad mediocre particularly vivid like one bipolar man screen perhaps flaw main prosecutor goes line often sam may hot headed prosecutor slot treading line law bending breaking point de much lesser role assistant striking personality still competent addition ensemble satisfying series excellent price go wrong many show th season still plenty say influx new especially new da kept show becoming stale along topical subject matter movie lot going great job blending together watch bunch young come fun watch funny movie unknown famous young sort less soap opera good first season really watching hilariously funny lot fashion forward vying editorial job elle first bottom learn think fashion paying attention spelling really elle format quite astrology lesson true drama queen style ex law school student ask ruler winner give spoiler convincing great show definitely style reality television competition series winner editorial position elle magazine total prize package valued series great cast found surprisingly movie sure brought back bunch particularly live west coast far away bit slow moving engaged grew new hockey parent player even hockey fan get something movie overall good movie everything pushing milk ice way us old hockey end heart attack league lived worked boston speak particularly loud good stuff good documentary state rise national power several various enjoyable movie shy man learning bravely face world would recommend enjoy anyone love movie fact house single set amazing first saw movie young morning local television station saw available immediately buy jerry lewis first half funny second half funny long bought episode delinquent one adorable pretty typical character actor aka little sh quality episode plot simplistic unbearable time spent watching episode regret spending money love mary glad able find series think really priced due age fact never popular time either would disagree would say love worth money could make movie wake make funny without crass really film acting good story good enough carry weakness went film modest production quality preview better average think sign film turns pleasantly classic stretch broadway readily modest aim striving touching story emotional dynamics family express laughter come gap joey jack bartender whose beloved uncle surrogate father childhood away unexpectedly jack begin creep tragic event ultimately way get chest writing staging play right south boston bar admittedly tone scene scene uneven bit times broadway best cast hilarious turn funeral home director aspiring ingenue trying desperately contribute jack put paper working find collective spark thereby true sense human spirit authenticity location boston supporting cast seem peeled streets contribute cause better day rental studio still expire go wrong film recommendation see great fun great throughout particularly kind stole show goofy earth believable character nice film good story line cast beginning slow going little depressing almost turned glad kept watching though payoff nice heart warming ending little saccharine predictable nice absolutely lovely film go wrong one especially fan feel good might need hanky cold sure enjoy could resist new block trying slay nice little film chasing finding movie star kind love well worth watch mention dush season refreshing change season season bright star course exception rule watching team charm attitude talent provided quirky sophisticated combined new age classical training successfully pretty san fend amorous male attention competitive really interested personal another favorite made appearance guest judge season always smile face pure gallic charm thank casting giving us serious less ridiculous people hanging hard day work need pointless negativity season absolute downfall excited new york city backdrop unfortunately think used exciting season cirque culinary institute nonetheless must said season get eric impressive gorgeous man gorgeous restaurant ask top chef certainly need exposure dwell long question wait season serious culinary highest level get see well wow eric admit could get one made several show think due lack trying wonder inside story still glamorous elegant self think discovered purpose decorative judge think part deal getting celebrity act see saying episode top chef seat next dinner table half one notice far less enthusiasm season looking maybe thinking contract yet especially quite attitude season pleasant congenial upon time gone trying disagreeable get contract early unpopular end season decision might strategy food wine imagine may brief insecurity related hosting show beautiful please feel expose much ample decolletage look lovely smart without make intelligent fan base toby young stopped trying desperately hard witty clever cleverness finally glad fought final decision season like made quite popular promise season quite controversial ending suffice say reading top chef season going spend prize money body people happy almost feel sorry winner elaborate game like many life speculation half fun thanks entertaining season hey either like top chef enjoyable usual always enjoy learning prepared eat first otherwise one end show binge top chef great sometimes little outcome chosen return jeff although love jeff glad got shot bit way little museum thing tacky cute made food important problem given favorite show video demand service love watching way prefer dont cable choppy stop go sometimes freeze frame bought episode went away minute went back play video said bunch top batman messenger missing hope return morning bummer buy episode mate home gone bloody gone demand go love show word enjoy show something watching people cook fascinated since sat basement table watched prepare dinner work hard craft seem accomplished fiery interaction show interesting sometimes wish better would drown big vat due control show enormously classy much genre bring real finesse kitchen seem judge merit previous paragraph personality anyone cooking show genre good show good season wish available movie right yr old son getting horror gory bloody age appropriate family great classic show whole family alike enjoy slapstick great crazy funny show like watching true niece watching whenever comes visit look watch think young people mind try might like funny creative series blend teen adult world theme plot reasonable level centered around good morals tween show fashion great combination responsible like fourth season man uncle always favorite tried become bond type series opposed spoof one fun watching ambition rocket building stealing said rocket moving train show good period fun u n spy affair super action story four one top thought well produced product paranoid cold war era well u n c l e survival school island nautical shipping sea fascinating well place screenwriter man uncle old made see like young watching show man u n c l e without doubt one popular television series come airing like revisit every awhile want think hard season three definitely almost much playful tongue cheek approach beginning demise season four serious nevertheless still fun always remember series great fondness always got kick united network command law enforcement eternal fight international threat thrush actually definition fungal infection mouth nicely together chief g episode take leader affair nancy coco cool duet guitar song wrote trouble season three also nice roster guest included ruskin woodrow riley noel collins shelly carol celeste fox pat jack alan nancy lambert victor rita shaw dan marsh sonny kim darby curt never seen series light hearted spy spoof entertainment zenith instant video format nice way option try one episode purchase whole season enjoy season three marked man u n c l e format show turned fortunately come expect certain degree tongue cheek spy thriller franchise revolving around able laugh survive bit thin guest deliver eye rolling charm series due small part main cast g g fixture many classic topper series instance talented television veteran relative newcomer personal favorite character instant fan favorite run series quiet charisma subtle athleticism black made epitome cool appeal undeniable even today premiere man u n c l e still one favorite go need little lighthearted entertainment season whole might best series pass mostly good fun like peanut butter jelly sandwich talking fine dining sweet satisfying smile face need little fun enjoy colorful optimism sit back relax enjoy happy see saw ago trying hunt nice able skip exactly supposed know like kern like know people shorts probably wont appreciate much worth spent wife red growing good time watching remember talented guy check lot stuff video good video stream san based legend outfit dubs public domain b w since also contracted distribute number older studio singly double jack beanstalk fun family musical dream sequence jack fable bud dual lazy manipulative partner later money originally part amber tone part film always iffy proposition similar quality strip process oh color right strange abound bit history late universal days decided independently produce two color first bud meet captain second far charming work fear nothing right ever around find full fight fear nothing nothing toddle way sing merry song defiant giant try salt pepper us rise height cause fear absolutely nothing right man man must time come rolled might help fist hand believe one thing go looking never run away one take smell trouble hold breath breeze snort defiance like find courage thing great delight sing fee dilly ay fee dilly aye steady hand steely eye fear nothing right two given many good movie share raised two funny people show one love hate like watch someone travel eat exotic food show perfect host ability make eating animal seem normal must warn reason wife watch show might graphic host eating us would even touch always show outlook culture food nice see watched lot bizarre see many around world well plenty uniquely case food culture people building love people love food care meaning personable informative dare eat format enjoy show one got stranger normal good admire damn full speed ahead attitude tried maybe would series teaching hungry may stretch really episode sure enjoy great program entertaining enlightening like old black white finding batman one great really enjoy old zorro serial saw episode type cliff hanger know batman robin movie serial search watch whole season far watch two times story line good panama costa beautiful get deserved however vary rarely people discovered offer natural beauty unspoiled colonial laughing way airport safe country central matter fact meet people ever beat budget food episode people still think civil war hear word even know begin episode little ignorant country visiting felt completely ease even want ever visit check episode might learn something might change mind book plane ticket night numerous times find always wanting return yearly see episode sam brown like kind music learn lot pretty much agree idea premise movie music business especially guess portion machine direct evidence fact movie little material major corporate badge video see hear provided overall great documentary made people respect struggling make getting black rock label yeast people like people need glamour film unattractive every way cinematography way speak act toward one another believe beauty beauty young ever see screen foul mouthed juvenile dark mean plain twisted movie character sides yet somehow better nature shine however found far nastiness obvious disdain feel one another alarmingly open contemptuous want ride side film honest may see little bit hopefully able grow seeing apparent lack growth stunted emotional behavior want self perception perfect friend person back remember old story aspiring law student concentrate either corporate criminal law puzzled friend mean difference engrossing object lesson corporation good going say well done sweaty really funny touching sincere movie work maintain comic short also make really heartfelt story story really great brought interesting twist friend problem one talk story led talking everyone leaving south really poignant conversation felt really intelligently like early everything everyone leaving home hard accept change really nice ending wonderful see featured important character style story well done around nice romantic story otherwise impersonal process remains one favorite movie ignore cover displayed move appear babe exploitation flick connection film honestly would never seen enjoy beat nice enough place prime movie list odd tail end earth time bit style humor wit understand many hate little flick wife would hit present watched enjoy independent metaphysical film written bit intelligence humor direction may enjoy best joe really film would describe cross virgin drive thought giving film got little bizarre think could bit better largely latter half film essentially never seen anything quite like young age main protagonist throw interesting twist traditional metaphysical film although suppose used idea would get know protagonist little bit better character bit came instigate experiment self way seem believable credible audience never know character well end film film interesting experience really amazing recommend film anyone handle bizarre firmly based around concept plot movie poem tender feeling plot movie tender one secret heaven one day like rain fall grow world move literal representation movie also german spoke poem good poem look version basically whole movie trying help world inspired staring water friend plant person best guess going since previous scene mary carter friend plant anyways needs order rain everyone saved least half fall swamp overall wonderfully four quite connect movie big fan batman love animated works latest brave bold interesting series modern costume throw back lots one abound hidden gem true caped crusader bottom line somewhat enjoyable somewhat light hearted version batman series let get serious superhero cartoon inherently fantasy story someone actually tried apprehend way batman comic television police would hunt kill balance fantasy realistic superhero story case batman brave bold light hearted balance clearly leaning toward fantasy side story tend agree many batman television series batman complete animated best job finding entertaining balance mean completely discount batman brave bold however prefer batman dark tormented series enjoy batman bit parody might something enjoy likewise child suitable clearly warner archive batman brave bold complete first season ray first time disc edition versus different originally back waiting frantically get high definition might know series common camp approach caped crusader dark knight trilogy batman protecting city city solo crime fighter however many times world global scale hero must join plastic man green arrow wild cat fate many reveal although batman brave bold complete first season manufacture demand recordable audio video quality top notch picture clean colors vibrant way obvious show eye art bob dick sprang surround sound audio dialogue musical score excellent clarity comes extra handy entire episode centered villain music everyone sing saying every bam boom need like main target audience batman brave bold complete first season might alarmed amount magic used show also different one child separate fantasy real life mind deity vein problem batman brave bold complete first season thrill batman show starring west burt ward love brightly colored fi fantasy caped crusader comic excite well see dark knight glasses burton quite possibly find series hard swallow old school fun beginning end minus one star real although quality left bit desired brought back fantastic thought old never seen relive see many still lot bad longer unlike mystery science theater crew fictional premise mike nelson murphy bill shot space minimum wage factory instead k sitting around watching making fun single collection together eight short previously sale via plus one bonus short typical factory worker safety training film multiple slapstick mostly fodder encouraging use common sense common sense commodity could easily transferred upon people television film probably would successful patriotism early film bob crane patriotic everyday fortunately turns virtually everything would ever dream form patriotism food short film exactly like title rather trite silly one purchase right wrong one part choose adventure story one part introductory ethics course like reefer madness type film may expect rather heavy handed screed pinning human suffering unhappiness foot drug abuse skipper lesson short teaching embrace diversity skipper dog incredible misanthrope around trouble instructional film quite awful title would suggest pure rant female gender instead guide male handle influx workplace post must every problem neighborhood blamed someone else usually guy load filth junk yard shake danger another safety instructional film unfortunately ignore common precautionary end dead various gory ways animated mike nelson bill form cartoon inflatable parrot murphy anthropomorphic box popcorn making funny quite see purpose animation suspect experimental attempt recreate something like old effect distraction size viewable image without really anything quite funny big question suspect interested whether match remember mystery science theater one thing think also applicable film crew lesser extent cinematic titanic sheer breadth material drew inspiration old show taken smaller pool place release level average episode k may sound like hollow praise put average episode k well comedy output see recommend fan k even anyone never caught show running great hear mike bill making fun incomprehensible old short shorts seen many without commentary great could patriotism vague could dogs inner could complicated watch find feel like last short shake danger done well seen short without commentary song goes hilarious reason sound really one went production like brought k filled shorts running audio commentary mystery science theater mike nelson murphy bill chapter index real extra feature favorite short like heavy handed anti drug film infamous veteran fan k feel like old big fan k thought might bit letdown still funny mean three main writer mike letdown shorts funny hard watching amused watch old episode lot problem end turn parrot popcorn show really quiet disappointed hear last one good first hopefully many subject best shorts volume one nine hilarious short perfection former k mike nelson murphy bill none shorts featured reach b natural date family certainly funny well worth ten dollar price tag head class patriotism bob crane hogan fame pioneer celebrity home sex video craze perfected pam sight bob crane smiling planting tree hysterical enough nelson murphy shoot stratosphere another miss subject trouble supervisor seem stand least workplace rather minor big nosed boss food flat ridiculous obvious subject matter good buy food like proper size poor acting sadly n tiresome quickly jump lead times first two showing life threatening sidewalk chalk well must live title yet still somewhat entertaining lesson group think extra short mike bill animated form blow apart credulity straining gut shake danger rate title theme really stupid getting dismembered right n left also listen menu theme sung titled ball point know many mystery science theater crew tackled short immortal b natural bizarre world k provided best humor short trend first volume shorts mike nelson murphy bill slide right short relish keep coming fast furious simple safety film ever find plenty enjoy avoid stepping sidewalk chalk use giant prop course wander around work place completely oblivious surroundings poor dope video probably ended traction end patriotism film child patriotic luckily clean neighbor yard write local city state representative traffic keep grass sign keep grass yeah know patriotic either bob crane must right right food bill panic buy food movie bacon helpful like buy metric ton dinner read find inside helpful film anyone witted one celled highlight disc right wrong warehouse suddenly thrown moral quandary night watchman turn delinquent owner press one child caught turn really care really one weak shorts set skipper lesson skipper dog dogs look sound smell like well guess racist dog going get whole short film exceedingly goofy team field day one trouble man problem working well goes boss get good men boss change mind oddly enough short really milk really funny like two hearing discuss screw life voice strange used visual aid short goes along team top form favorite disc must disease spreading around suburb blame ignore fact mosquito breeding grounds back yard trash falling apart neighborhood get back shape shake danger time get safety film revolving around construction equipment musical voice guy trying really hard cash lots death seriously get bloody film song shake danger worth alone rest short pretty funny well episode computer animated mike bill odd total grade know comes k five star episode someone one star episode think work three especially recent work enjoy disc solid entertainment great also great place start anyone new enough variety keep everyone laughing love lucy best lucy ethel normal lucy watch like said lucy best watch like lucy lucy lucy alone likable like ball would disappointed purchase would add great piece collection movie based legend novel smith modern remake yet respect good old days ray bygone yet computer program vincent price fine job last man earth colorization special film well made enjoy tea china documentary many happen background aware well done interesting documentary tea china watched streaming also see streaming reasonable price tea modest film well worth attention take pleasure well information filled documentary subject lee time significant tea business vagabond love appreciation fine hand cultivated tea tea also sublime footage rural china exploration effectively country entrepreneur replete cameo appearance blank documentary subject tea provided viewer highly enjoyable hour entertainment edification development taste tea ways like taste wine ever tasted baby duck much incentive try high end tasted orange pekoe hand made artisan tea remote district china fire imagination get taste something little finer start curious little little progress following nose taste deep aromatic bliss quality progress exciting movie feeling progress world sensual experience opening movie also accurately infectious enthusiasm founder silk road drink also poetry culture ritual growing aging consumption lovely liquor palette tea last pure joy feel upon smelling tasting high quality tea prepared relish film ways might possible casual viewer watching shop tea rural streets urban tea like watching good cooking show get hungry watch movie long able stick nose big tea sip along tasting say camera work excellent lots multiple documentary works create feeling wonder appreciation result tenacity face bureaucracy protectionism reluctance change tea sold film everything hand foot leaves heat careful almost loving attention tea show towards process respect enthusiasm tea share final many intimately touched tea tea golden monkey current favorite many touched many also like film people drinking tea perhaps sadly perhaps make tea film much learn instructional video peek secretive world tea buyer presentation ideal world tea enjoyment way visionary inspire infect people love drink learned lot film also learn practice different ways tea course try towards end film giving tea tea trying brew good tea finally got right satisfaction appreciation priest holy shrine already tea religion film could baptism good documentary video brief history hear several perform video film hour long interesting provocative like offbeat check happy film though dark brooding would put path understanding enjoyable three year old granddaughter rented birthday much set wait watch looking entertainment thought process enjoy jet blast completely filled bill special effects worst imaginable plain bad plot almost far fetched understand mindless entertainment disappointed low budget movie almost fun movie entire movie think even movie important pretty fighter pilot flying attack formation flight leader say love uncontrollably couple airhead year old something talk like valley piloting b dogfight ever seen aircraft mechanic repair rudder blown rope tether duct tape get picture movie simply mindless fun well exactly gone wind ensemble cast sex know without preachy self righteous lot worst could happen long term promiscuity far outside range common never beyond possible titled comes around like b already show search entertaining slightly amateurish thin documentary alan baron politically inspired press film amazing technique level character funny innately touching daughter making film tribute eccentric father sadly lots footage thing even fun film seem included cute story going back many whole family cute deep easy watch laugh movie somewhat predictable still enjoyable plot little simplistic protagonist interesting character forget traditional animated except grinch stole course movie watch every year yes black white yes sappy sentimental also timeless need least year new year thinking picture quality movie fantastic aspect ratio give good quality cover thought would color black white watch every year one best holiday season use angel like put perspective great movie however since version movie would able purchase color version instant video tell getting personally mind black white think would interested color black white immediate turn took get movie maybe ordered version would color least would option color know despite frank wonderful uplifting enjoy uplifted staple time along miracle th street one scrooge bishop wife dad always watched around time long time ago wife watch seen many times certainly great movie good movie let let get message take away much line thinking help recommend watch every year eve cry different spot time timeless good film nostalgic view past bit corny let imagination go fun wake call everyone family watched several times loose charm great movie great movie even prime buy good quality really movie must see every everyone see alone family love classic holiday movie jimmy best although considered wish format really great movie wife would give six possible used tape finally wore gripe technical streaming version free even prime stopped couple end movie simply locked unable get resume disappointing due lousy service similar occasionally occur always able get resume movie however luck movie play church felt like brush found watching helpful way improve one would color see many times tradition sure old movie quality picture sound classic movie love watch story warm heart every year value sacrifice importance family power absolute favorite classic must see bad thing blood side effects edition plus find great lot action first season people saying plus ending already going season see next fist north star franchise full length animated movie back late graphically little inconsistent concept many later bought another movie turned new fist north star bad either talking anime got north star discussion brought back went watched fight finally hopped learn series always research discovered animated movie actually spin old television series went watching original series like watching need war like cool see many fleshed actually meaning movie understand bit universe tell deal breaker since little dialogue need read much think need give story synopsis pretty much play half way every episode delightfully ken post apocalyptic wasteland martial take road warrior manly man men digging wish dub original probably buy instant excited finally see uncut unedited uncensored almost unchanged version adventure following review cultural study story three incredible summer spent digital world chosen video left really backed video grown considerably majority original grown junior high th grade elementary school together new york city taking entrance get high school however new threat kaiser original dub emperor digital world population three new arrive special device divulge special basically type communicator device truly awesome purpose revealed later original along new tai kaiser much manipulative cruel let explain difference animation japan us imply kick whereas japan actually show puppy getting japan taught discipline harm recommend cartoon anyone japan crime rate extremely low severely make example hence roam streets whatever please without get hear original fitting proper j pop familiar sing anime theme karaoke dub terrible insert orchestral music opening ending music episode unless good spot going get full experience version two dub like put place evolution chosen respectively past found cartoon actually support anime industry instead streaming illegally concern industry overall right almost never besides instant better trying fight region free player hope adventure original series audio format see video lot people series personally prefer anime untouched find worse adventure uncut format yet never huge hello kitty fan addicted daughter knew show production definitely show cute concept hello kitty essentially classical fairy tales nice wholesome show episode two little attention great series love main act fairy tales way every episode classic fairy tale movie acting theater hello kitty furry tale theater one season made mid daughter slept hello kitty infant hello kitty numerous hello kitty natural husband bought crazy pretty strict much watched since old watch whole season one day know terrible look like appreciate occasional help get done didnt realize th short didnt realize episode movie thats fault cute though toddler watched several times use favorite movie see still good quality really time like old movie times sure best watched movie read book appropriate middle school quite story book watching til end class watch part reading assignment although tot film going back time get see like everything show lots action looking forward season two interest times season anxious watch develop season two often watch two three one night love prime video nice show good ensemble cast carry like show channel see familiar guest really series exciting lot graphic violence sometimes touching easy get caught las ted long every show basically like last need switch much better thought would watching whole series work good balance action drama though absolutely good series interesting premise revealing psychological development people reach commit criminal act psychological impact police force high risk writing freshly psychological development people reach often believable episode often clumsy absolutely talent series series great show really watching would highly recommend anyone drama really series never knew got fast moving show good would really like got brought back mike b entertaining show sometimes underlying political politically correct friend cop ago realistic much talk everything remind show dialogue favorite eddy spike show made sad angry depressed times thinking human condition little top times slowly beginning get maybe year two bring everything focus first time prime account watch easy use criticism stop leave come back cannot select episode want watch click first episode keep next get episode wish watch rated show strong character story telling like police one glad gave chance good series little drama action follow episode watch though start connect one better watch exactly well done hostage negotiation drama find wondering elite snatch gun literally right front suspect game really explore would run mind people come like scene setup acting cheesy one bother stay away would like see unique human emotion check baby really enjoyable show watched number intend watching future nice deviation typical shoot everything sex many possible min time slot swat technology crisis always first double barrel shot compassion criminal psychology de mystify aggressor purpose like emphasis emotional tension burden experienced without heavily nice change perspective usual cold flat action sure accurate drama personally expect perfection worked medical field suffer watching emotional dribble apparently every hospital ambulance according popular medical despite said dribble one still see interesting likewise true complaint quality season less many although still quality good work hope making would recommend show anyone like real swat police activity want continue watch eye catcher reluctant watch glad found attached every episode nearly second episode due well suck mind second episode keep handy never saw spotted watched first season like far start additional good acting like cast think good job entertaining seen pretty predictable still watching decided try show lot work well together get sense family love start issue go backwards show got present day interesting interaction finally show human side hostage negotiation aka watch much show like movie series enjoy x like crime one best kept television must see fan justice related one awesome plot presentation execution pretty good catch later little disappointed good season really good show think modern day old show swat intense fast moving action watch treadmill great hard stop without finishing show recommend bedtime though show much sex violence would ashamed wife caught watching good story exciting action sometimes pretentious deliver kill shot head moving sit long action might give five learning know better interesting attention want continue watching wait watch chose like watching police show really good realistic look special unit like swat u also small look personal face everyday season continued onto season great action tactical side good character development enjoyable series unit like good story great action suspenseful yet emotional great series show received lot good show good never figured try episode two see went well third fourth fifth guess hooked team week personal coming back find fact canada interesting good cast writing acting much gore might show latest show watched bad guy one bullet real situation us would lots action normal power pink ranger bad ass shooting plus sexy well show first show pretty good sure bit formulaic time find old thing every episode bad show subject able even pretty cheesy watching closer major desperate find replacement show across one hooked part part crime great closer craving first season probably stopped watching keep going though much better character development story end making best cop drama seen last watching similar still waiting season hope prime let preface review saying personally stranger law enforcement first marriage police officer last county coroner wore full uniform carried gun acquainted difficulty loving someone force effect man life everyday keep safe giving tune four star rating find enjoyable enjoy suspense good job well television drama add entire season content abduction child rough tough drug mean lean streets gravitate frankly true heart men come lose due stress life breaking point comes injustice tragically another crime love family member desperation tug heart course like hear like recently gone edge selfishly innocent young reality heartache enough need watch screen team mixture private sub show whether family love life past however team comes work spite existence job cohesive force dealt entering situation police intervention trained talk rationally individual gone edge rather saying killing alternative situation another life danger however times word one team moment enjoy think heartfelt theme show series set except amy jo play well set pretty awesome look great say sucker looking police show pretty good one might enjoy fourth season already seen satisfied see smart episode across show one night time kill police definitely good one get hooked rate us watch show every chance got first wondering would last kept getting show people take toilet humor get upset well lot toilet humor well worth watch region basically need return drug testing lab bad past written current well sometimes work ways work well sometimes backfire worst way except season funny clever good hearted talented two main character alcoholic funny producer turned around end like leverage like several devoted huge conspiracy blah blah blah like series go route tiresome love parker terrific ford character timothy tad predictable like female lead bellman still enough good stuff series keep tuned bad use good end finding someone needs help always come rescue bought additional worth watch together family movie night bad language sex rating watching seen nice watch really show great fun great fan show watching hitter spencer fell love whole team smart immediately impatiently little bit disappointed speaker sometimes get every word every joke understand looking forward see show none could find two thought would also still lot fun watch show quality give four missing show friend seen random worth purchase love caper acting engaging enough watch entire season one sitting also interesting even though bit roughly produced see show looking forward next love show leverage like play feature play individual episode separately see first review find show similar ocean lot attractive quirky great elaborate revealed concealed viewer end great deal humor much humor comes team used working alone inventive compelling pretty uniformly engaging leverage easy addiction dependable good time fun show first five entire season may watched house least twice know people want see kind good guy bad guy love good caper movie show like going long extension caper crime movie love watch almost like extension ocean premiere brilliantly dark funny sexy funny seller got order quickly good condition great job seller actual show found season one leverage quite entertaining though never fan tend inventive great fun season good could see much playfulness beginning disappear season later completely lost appeal joy gone less playful less creative serious labored fact felt show went heck hand basket finally network still st two good recommend unless die hard leverage fan recommend season beyond watching pilot episode times got idea new show got cool concept room potential seen season one sure grafter keep predictable show unpredictable get bad guy consider series version team enjoy show great episode episode one got hooked season one best season love leverage received produce time good shape show good first season superb series excellent ensemble worst bad make best good good people special illegal work together solve real sorry see end closed shame show writing great yet sometimes really need get everything say would surprising flaw almost everything nowadays great fan timothy series one sorry different twist robin hood theme entertaining watch develop wronged person come top wrong doer come comeuppance love leverage series little upsetting took bit get going call trace put finally came day going call leverage much style series hustle group basically con woman however whereas con hustle mostly fund life style leverage done name justice serious feel although humour throughout especially episode miracle want something good acting story turns keep interest especially hustle recommend series wait season interesting interesting concept acting writing course season robin hood character never old saw one episode leverage season rerun immediately knew every bit good hoped great plot fast moving action wonderful character definition eagerly delivery season right series much since buffy angel leverage entertaining pretty decent likable fun watch unfold wish wrote character drinking problem though would worked well better without downer twist bad movie whole sometimes need make good movie get point gone like one brother succeed life bummed around mother breathing like working life battery plant exposed high lead sons birth lead mental physical never know dad maybe result exposure asbestos really know workout ways adapt fitness level removing making bigger smaller fun added extra flare workout pretty good shape workout times per week hike lot summer run weight lift say got sweating get longer workout last workout would recommend anyone music within heart rate nice level fun original done lot various done still probably workout couple times rental period great way fun working better would like see beat really like wearing video well made professional cool us looking kill every time workout fun addition exercise routine great job going learning dance found many dance like always fun video part fitness regime lose fitness lunatic dance professional video regular person looking fun getting daily exercise highly recommend workout mad room directed presentation remake far superior film ladies retirement stella young woman whose two younger murdering ago though neither child actual killing kept mental institution since currently employed companion secretary impossible appease widow overbearing mother young man miss engaged living house still construction chaotic easily enraged eldest turning eighteen getting asylum stella little choice bring live current residence past homicidal history course understandably fragile mental put new go straight one loony bin another get interesting younger brother sister still need certain groundwork institution one mad room place solitude work confused perplexed current environment dictate need place frequently basement place punishment attic perfect one thing locked strictly anyone per miss deceased husband stella odds buckling sheer weight constantly lie keep normalcy monitor teens good companion irredeemable miss eventually key attic use mad room provided remain quiet ever catch one day catch fit book marked asylum realizing confrontation naturally go pan fire say would well maddening stella fine role always found actress role following year ballad cable perfect example wonderful overbearing overweight bitch knew already well cast tortured teens garland short role skip ward instantly forgettable son solid director dead heat merry go round tension nicely yes inferior original switch two wacky two teens simple twist works well within construct time frame almost embryonic cursor modern day slasher flick made prevalent like baby jane sweet woman cage ever aunt slew auntie another insane tour de force addition two times fun comes go ahead enter mad room remember exit door finally seen movie faint memory got decide lived memory well pretty much story stella young woman impending marriage interrupted news younger brother sister asylum murder considered sane handed custody despite three move home e mother law turn major horror film long new murder still works general sense unease mostly great two younger portray right amount inscrutability keep guessing actual mental stability stella lots wide eyed exasperation role well usual job alcoholic floozy landlady mother law overall tone story well handled climax still works gore low couple bloody still stand best part still dopey dog dead body great fun great compact little thriller good check ladies charity party one little drunk great cameo garland unexpected tragedy none main saw coming love see get official release unlikely hardly ever shown either luckily demand release strongly recommend people happy take risk nostalgia fancy bit twitchy suburban horror really made movie wonderful always relationship movie character savant character well done regret first movie first daughter set yet available strange reason coming backwards order like action story line last series first daughter first shot movie great president care kind flat character guy grant pretty good though also first daughter first shot mood lately like alan classic noir would like knight seeing completely built white dance human wilder woman spastic dance watching peter evil role lively entertaining action film good daze chance meet great actor fine movie hint good production value enjoy time view production female wildcatter great depression along helpful drunkard hired man help afford much help father prejudice flat broke deadly attempt bring well era equal opportunity employment need woman competitive courage determination man would exhibit saw film early sure wish bring love seeing done made caught like enjoy show great shape like catch since used give instead help something sea rock hooked series son hooked lot question whole series watching sure would like show much really like real hard working people living dangerous job series great love easy cheap wish would include catch season contain catch footage discovery channel version worth good show even connection still dont know super slow even decent connection opinion host mike interesting review prime instant video well dirty masterpiece television doubt mike awesome thought since show would catch season season chronological order thankfully prime watch unfortunately chronological order learned hard way supposed season episode mike day seeing clips seen yet previous season turns day actually episode season five bottom line love dirty glad able watch instant video aware order may may missing love episode especially septic tank part hilarious dirty great show mike hysterical host enjoy show learned new seen would normally seen glad see animal planet dirty best series mike involved entertaining yet informative best show trying decide life reality anything real spontaneity dirty strange world normally see show interesting even educational times thing language amount host really unnecessary otherwise quality show host likable manner us work unknown unsung people rely used watch show back day quite watch love dirty great season watching every season every time love different dirty funny watch mess around different season one ground breaking mike great host unique nasty super dirty worth watch show fantastic mindful may want watch insemination mike fantastic host really enjoy watching dirty never knew many like new respect people every day funny interesting informative unknown host really support people also deserve lot credit show interesting super interesting interesting none less pretty gross times title suggest watch eating great see exposed could little less foul language interesting see different dirty people also strange sense humor watching misery often forget keep world going educational spin great dirty family young enough color humor went eventually grew tired felt appropriate bad know used watch dirty recently watching without description wrong episode episode mike something trout cleaning pipe organ helping clam farmer love series love host one less gross since none featured overtly cleaning sewage involve dark matter trucks love mike despite looking absolutely awful make information entertaining fun love show almost every episode like new information gather watching show hope able see many mike good self host deeply respectful labor ethic men works alongside still love watching create amazing getting close look affect shop good subject mater presentation show always favorite mine recommend everyone like myth always seem come interesting particularly like redo get right absolutely love come great combination big boom laughter since make fun even screen see clips reason star show foul language show whether myth real fake three busted plausible confirmed interesting see proved real fake small sense humor like destructive always presently cable prime great way catch show show show show word count review love house make science fun even though never try home love watching family grow impressive extremely inspirational include exciting mike always laugh loud sis comes room funny tell start laughing notice however dirty like first season guess us contact love came san whoo wish could met dirty see people us sometimes dont even think take hard say thank working hard mike dirty say like show made give star instead five fact disc order whatever reason smiling entire time show really funny could watch show day long especially chicken buster one made new die laughter funny small like find interesting appropriate whole family instead time learn show enjoy mike always entertaining tackling interesting open mind good sense humor love mike absolutely disgusting light fun entertaining find hilarious crew love movie another base young teacher idea love marriage idea couple odd think less say upset real story lovely ever part sweet virgin two confirmed quite comfortable role one point gratuitously outside blouse unsure deal permit nothing film billed romantic comedy confirmed fan find romantic humorous occasionally worth watching doubt rate among best although wonderful transfer screen edition reg united kingdom edition quite good happy reg stellar great actress role typical vehicle somber right mark adult role even breakout adult adult based novel dreary mode morals mores effectively girl still guarding virginity swinging early enamored include reed noel thankfully sizable role seen girl u n c l e series starred great composed score title song sung several notable bird featured cast produced e chester directed miller rated r color familiar book script lot fun exactly favorite film still appealing classic love story good evil definitely movie watch watching master peter work joy jolly fellow craft knowledge well worth time money one subtle trade improve first homespun camera work little look past focus watching work however music worst ever finally watched video sound plan watching series funny movie credit would like see pull one back pocket make second one actually write script unlike grown year arms top grosser ticket wind wizard busby directed complete rewrite hart broadway play let put show plot convenience outstanding title song plus good morning broadway rhythm cried superb solo lots sweet apple cider moonlight bay wild harry background music toot toot goo bye give broadway de da oh lady tramp instrumental cowardly way shoehorn otherwise racy r h song missing day sequence president death warner box garland collection scene print parenthetical number preceding title viewer poll rating arms garland guy great musical great talent wonderful watch acting singing dancing musical talent early days film thoroughly enjoyable movie wish entire season option seem option season option recently last couple watching real orange county understand decided would rent buy borrow funny attitude toward totally like watching season thought nice husband go back watch beginning may know real orange county season remember much movie watching adult enjoyable enjoy good alien invasion movie meant fun romp exactly interesting subject new perspective past admired west face odds put public show way explain past love thank always fascinated ancient documentary fun informative way see hear great film west jaw work de temple man works brought astounding realism depth modern archaeology real understanding much intuitive unmeasurable narrow video series get taste de work original course highly introduction work bad across eight talking serious change make entire series available streaming rental type work well known look around find less expensive bother jaw talking joe rogan neither credit love series far would like get rest priced book great good story line one important loosely inspired poe best known poem comedy horror fantasy much provided know involved appeal seeing silly sides early cinematic horror vincent price peter parody scary built fame ways enjoyable watch old time movie great lot great seen version b quite like b movie special effects bad actually good supporting excellent low budget film acting much better many see today sweet passionate love interact joy working almost spiritual photographer would like learn technical side work example equipment exposure post production passing video lot education hour relevant writing novel writing screenplay watching video ordered workbook intend purchase series everything title many ways take plant bias society look film title may make angry especially comes great film though film plant applause u band zoo telling interesting animation wacky comic style kind way kept whole show music quite catchy accent great young year yo daughter year old yo purple crayon year old kipper dog zoo ferocious beast year old pooh foster home imaginary school rock good video walk canon rebel new canon time video informative never knew history marathon much running amazing story person passion sport may average joe running well told story amazing one idea passion become iconic event short time fast paced linked history sister sport passion well told fantastic story nice statement beauty engineering form meeting function hope alan drive much seeing motion given one change face nation way make politics movie written male director course showcase male perspective faced many life cheat parter female none less well drag like flick point worth know price movie low fun filled night get laid conscience everywhere kind movie guilt absolute favorite scene say berg well numb nut heart goes poor benjamin many movie credit another purchase used obtain rental computer hooked cable used watch movie read movie review prior lot free time enjoy reality show drama definitely keep good little edge missing cool series x factor good lack reality factor repeated non peril get intensity moment pretty point blank good information keep mind territory got love swimming story make connection story movie saw discovery shark week episode many summer personally think bull shark river watch see think interesting finding different species dangerous love program know watch every single moment breath waiting strike perhaps flying great whites watch action day long kick back relax enjoy nice lovely suffer win win shark week since school ways fear movie deadly strong determined people must live knowledge racing episode seen well together make interesting story care accident excuse sir mark r call think needs put away somewhere safe decided watch passion criticize lucky feel way looking leg really shaking head remains steadfast people produced shark would never know brave man also ask anything would get plus marine biology thanks secret millionaire great new reality show ultra rich daily today show first comes millionaire assets usually attitude deserve millionaire goes area live live day day basis stay week small amount money find job survive week money given work encounter different people giving back society ex black lady sold first baby made poor home hungry matter race religion also people represent many hungry even finally week meeting people working surviving us people touched really turn check given assist aid society really life show ultra rich well middle class understand living day day basis home food times job sad see live hope dont think disappointed new show big fan clive love diving series great historical underwater search many known good wish longer photographer many park road short video wonder introduction park spoken power well done really rendering book found bleak well book bit problem graphic depiction typical dish usual iceland better still nice see movie made author story worth least typical police investigation murder social make bit fresh movie book based well good idea like live iceland welcome tough side life iceland grim story beautifully watch landscape photography nothing else read book ago usually prefer book film case film version better memorable film wonderful acting beautifully well although lead character great actor supporting leave wanting learn series jar city made original crime novel jar city mire production screen written directed cast lead role police inspector j junior li el g wayward daughter production sub adaptation reasonably faithful original novel especially regard individual although life style decidedly car somewhat also considerably less wild comes across main casualty screen adaptation plot book clean simplicity time unfold time course exactly story minute running time ironically made convoluted involved thus less believable two key book film actually making little sense also dramatic addition nothing bit excitement rather pedestrian story large however production atmospheric enough lightening mood perfectly never descend comedic acting often funny nevertheless counter dour brooding entirely location surrounding film gritty authenticity far tourist book film also book addition dark vein black humour running mostly around running joke either eating else squeamishness tell surely accident film man battered death exhumation year old grave secret collection body various seedy grisly scene actually consuming take away boiled sheep head noir find film right street every bit dark gloomy book added advantage scenery look shiver every need shy away fear spoiled clumsy adaptation also well worth look hungry something little different beaten track film good synopsis novel noir become popular suggest watch original w v series also enjoy slick series also think well done least twice many also suggest film based great book hard core fan get movie book fill left bit undisclosed film must see crime fiction rare get glimpse culture give viewer small taste make one want always movie thirty nine particular version maybe best worth watch often get chance see great particular movie excellent version movie much better available little awkward end five novel one movie close original text faithful none epoch talking great war invasion scare particular period sense film maybe chance rather design us impression traveling time atmosphere verisimilitude found character without brilliancy right balance inexpressiveness quite good countryside fall usual beautiful landscape category indeed part dramatic narrative pace action right one thriller action without modern overall piece worth first look fact second third one movie said book done true vary integral story line still entertaining movie two anyone book good period piece enjoy even though bit version show one red bill make really funny funny easy understand watched series first came television way would ever make way series felt big part entertaining like perhaps different like love cooking nice show good ensemble cast carry like show channel see familiar guest think show better go like team well done well easy follow well story line really food show attention tired trying take mind work really like great show guessing something new every episode one watch sports good police drama get god formula call comes hostage situation work however works chemistry good amongst cast better watched mixed marathon love action story wish like show much action story awesome great disc set however season nine disc business usual fortress clean aisle disc perfect family remove control perfect storm last dance exit wounds state partial episode release advertisement paramount also state review first season said episode get attached maybe season get elusive recommend watching though consistently high quality show shoot em type police drama lot character development good writing good set show thought exciting fast moving entertaining sorry season continued onto season think series also ion great action tactical side good character development enjoyable series item gift think returned know watched sure would like make canada finding show dragging times still really good show however network staple plus season take toll produce high quality every episode find mind wandering certain still fan still watching great action development ongoing engaging wanting see next episode feel like family good story good acting interaction good tactics interesting show usually satisfactory one good consuming series right love show try episode one season one like love rest even though way show actually maturity cop law order around brought tube perspective elite special p show u well fun cast must blast turning movie great scenery love story typical narrative psychological blah blah certainly watch terrific able stream funny comedy neurotic millionaire artist fall love great sense humor well definitely worth time cute little movie physical comedy quite funny plot week written story light romantic comedy bit odd cute pretty clean one f word pretty funny husband part wanting little hour vacation watch cute light afternoon felt like vacation good entertainment beautiful scenery happy ending needs nice see instead young well tender nowadays film showing stress business work tranquil way work much really like main see kind movie worked little something missing going star rating however sure pretty sure enjoy movie go coach rock show story remain interesting head different story much season becomes easily binge watchable clear full hearts lose admit watch show first middle season watch lot hate football though way going like show wrong make show worth watching excited additional watched series get caught season disappointed following season note though episode missing set though first season better third season show continued shine noted someone else core reason really like show easy feel fall love probably let remember good acting good writing camera work succeed liking big fan freshman realistically good story line nice see remember northern exposure kim dickens well long missing several special talking sex scene well commentary time one thing probably star least paucity price great sure saw second season seeing first three one another whomever plus q appearance cast personally bit thin season one commentary track page alone lots behind scene stuff really deserve bit extra department buy especially given st season one relatively number less see appear upset music whatever might matter behind different since free show great well worth watching buy rent watching series son football like something could tolerate forget tolerate turn little bit soap opera well written end episode son look usually agree watch one still good know begin care plus good looking believable slight dip script quality first three season climb could time favorite television drama series grow time engage complex morally consistently surprise episode father moving sensational like good season looking forward seeing ahead entertaining fun story slow still good show especially realistic football action good acting main received great shape course show wonderful received time fashion centered small town fascination football season get twist grown like high school growing like bigger town small city wonderful series well winning kyle chandler coach eric season three nutshell wish read lead another state championship coach replace young star j coach personally smash order get smash rodeo cowboy discover abusive side late date successfully college football scholarship billy decide flip buddy house profit eventually job sports agency new york close baby becomes principal buddy allocation funds toward season close coach plot head coach plot joe act revenge joe abuse son child protective j personal trainer wade coach job coach given task football program east poor school side town best show ever favorite season best overall great series excellent fast moving holding really good acting funny dramatic even third season still good show good streaming quality well show reason always kept attention great plot incredible character development similar lost great show bit disjointed think due strike year stay game done good job keeping series fresh giving new keeping old well watch end received night set day season see spotlight cast onto existence racism within great season great wholesome show junk little teenage crowd way much teenage drinking old good life teen son daughter also hell old treatment football phenomenon fascinating character development well done fun season always thought older bit overall kept hooked much girly drama taste lime see smash leave show went character medical legal crime related good bad sometimes tiring constantly see night one drama different fan night since season show entirely football teen well season show bit decline season season get proper ending decline refusal order least end writer strike writer strike ended network least two three production deal saved show season better season season overbearing football pushing interest public teen sex teen trying prevent living future dealing family gave show good story material people relate teenage boy largely rarely sorry making best situation dealing grandma dementia find teenage boy caretaker ill relative like c one tree hill teenage girl wanting make life better end like mother sister later buddy daughter two getting taste living limited losing wealth show eric couple best public school related help community kyle chandler done nod worthy work since season continually snubbed favor highly rated another reviewer pointed rarely never declared show culturally significant show likely end season end one unique ever social football much true life entertaining enough football keep interest first two show better third season finale good setting fourth season closure story well compelling story great football well worth watching good would strongly prefer show elimination show stress possible elimination competition rivalry people encourage one another toward health contestant verbally abusive house isolated safe environment lose weight motivation carrot stick elimination body chemistry might improve allow faster loss body fat goal loss body fat weight loss lean muscle appropriate goal dehydration group selected group season lower data group failing turning low may health low motivational would important educational tool public eliminate show come real people real world type need know work around increase money program allow contribute toward give work give prize everyone set number week possible individualize reasonable goal contestant contestant walk far due age injury fail set younger may get toward end day tired know swim bike walk bit earn toward reward make competitive thing one winner allow encourage succeed offer trying new exercise could try cross country skiing reach goal new piece exercise equipment let review new exercise equipment show fun even weight people allow suggest try via web site use show web site allow ask product bias data company sponsor payment one week maybe review favorite low calorie salad dressing lean meat discuss running shoe overweight allow donate try chosen suggest various potential web site ask enough pay prize available allow pay set amount pledge body fat loss example allow purchase may bestow given rate dollar pound pound body fat loss allow bestow multiple favorite contestant also distribute multiple following allow money donate pledge weight loss toward special contestant example contestant could encourage fan base lose report hundred office loss body fat grounds prize contestant additional air time could additional footage regarding product could largely available web site also consider new medical research regarding obesity put cost additional trainer web site let decide come cover cost weight loss important people put process better consider medical personnel come work doctor h medical personnel training popular day day someone training weight loss specialist would educate medical profession public allow public join web site fee buy afford fee could become team scholarship bottom line people encouraging one another fan base lose weight safe manner obesity huge killer country show beginning could much better stop show generic reality show someone fail agree previous reviewer show encourage exercise safe seen lift heavy head even openly complain back pain shoulder pain exercise stopped contestant back joint pain please stop event seen contestant attempt pass floor upright never please review proper treatment syncope possible heart attack field see available anywhere gym see applied near syncope episode people healthy life pack available exception seen one ankle injury show contestant step weight bench stuck laterally accident waiting happen please potential safety trying seen begin throw running repeatedly hill degree heat one stopped heat exhaustion show dangerous injure people please honor cultural young men many reach age prove manhood train among men uncomfortable going process female respect young uncomfortable training sweating male present allow choose trainer would real world allow change find need reach point feel making progress try something else ie change temporarily permanently allow suggest try new trainer new perspective example get weight loss plateau perhaps get additional weight loss process allow split sessions want work one trainer different trainer weight training thats fine may want even different instructor balance training training training individual sport help find sport love typically keeping weight continue beloved sport lost weight said consider show beginning start improve important show regarding important health problem movie type surrounding cockfighting effects new livelihood everyone involved cockfighting question freedom practice culture heritage handed since time memorial movie also opposing sides good stuff great film low key wide open range great documentary old past time sport story believable needs improvement along added example retrieve family sleeping bag really movie kept attention well always patty duke extra bonus good purchase back minute video play guess speed one classic past love old fi one way near top list make like use cornet entertaining made ago sure million dollar state art computer simple made great rating somewhat misleading quality good totally get b rating confused many actual movie one star really many movie recently surprisingly good one might think movie scantily clad cro rudimentary grunting language largely devoid special effects would drop kick though one million despite hammer like got beginning story place title misnomer chiefly modern typically story sibling rivalry jealously avarice greed murder suppression although certain privileged several tied one half bloke kangaroo paw bottle undo see number large fight body count accord sustained one would hope arithmetic would better ago well play good though abrupt color saturation look good try hard men mostly unmitigated apart convincing tony rather better elder hero much change millennia suggest agree highly entertaining interesting early cro might done great finally hammer prehistoric theme movie given proper release previous limited full frame pretty fuzzy pressing original aspect ratio nice sharp world forgot pretty obvious attempt hammer cash success effort one million got lot plot department sadly ray even provide menacing foil wandering prehistoric keep budget control sort lack lot nudity female cast something might wished stop motion plot actually couple prehistoric tribe meander attractive inhospitable landscape internal power two rule tribe win girl find food eat way discover fertile place live male would doubtless many topless make otherwise rather lack effort worth sitting audience besides lot semi naked interesting sub text female shamaness actually power behind throne sort presage whole clan cave bear phenomenon later gorgeous trophy prize girl onto brother final scene tied splayed handy dead tree enact climatic battle high atop rocky spire worth price disc alone personally always opt little less authenticity order liven one better serious prehistoric good see meant seen great telling story saw movie tax find thanks wonderful charming hilarious love story something come maybe today birthday caught guard throwing surprise birthday party see mildly employee quit getting married man wife could cheat right though protective carapace cracked wistful frame mind huffy sort miss assistant personnel director department store career woman way near top starting lowly stock clerk gawky little orphan never anyone life admit awfully lonely life boy hard life let someone bake dang cake suddenly second guessing ever known modest b noir maybe stuff less edgy one mating first come across say know drag bleak shadowy handle light comedienne wonderful miss peculiar mood way bus partially birthday cake tow bus ford irascible driver supervisor nice polite except ignore many kindly go back bus plenty room back bus guess quits show independence card help land new job fifth paragraph get premise maybe think someone career time neighbor tommy jimmy hunt go thinking child suddenly maternal furiously kick adopt little boy told unmarried cannot adopt lookout potential husband ex bus driver current store floor walker thanks looking solid get twisted confirmed bachelor stubbornly single help trap husband unless instead odds ford solid comfy primary lure successfully pigeon hole page parker voice turtle year get reserved professional demeanor sweet skittishness aching vulnerability script excellent comic timing instinctive feel screwball looking social angle film also era perspective fine watch mating social classes along way may strike watchable movie always enjoy watching glen ford disappointed female lead nice job career woman day character gave movie modern feel entertaining engaging romantic comedy touch seriousness thrown good measure well interesting story career woman love boy ex bus driver would author love woman couple well well worth watching two main big box office hay days good craft mood light diversion check old movie see make often seen movie ford use seeing pretty funny enjoyable movie good start finish happy ending great fan murphy pity available always quick gun able purchase movie good range quick gun formular western saving town led ted de great colour plenty action really glad decided sell another good solid western like murphy flick another murphy vehicle good previous name bullet good nonetheless best unfamiliar role serious sheriff comic series hazard like murphy get one dismiss murphy risk ridicule dark happen eyeball diminutive figure much jaw drop learn one highly decorated combat world war find guy even aside rep indomitable war hero rare enjoy one even lesser like quick gun made one near twilight film career even late game murphy still screen quick gun notorious clint cooper dusty two away cooper townspeople two cooper forced gun two sons rancher never mind self defense today clint cooper ready gun settle come reclaim sweetheart father ranch town crisis band way raid break open bank town young men away cattle drive leaving old men make stand cooper finding sweetheart merry marry sheriff best week time want gone even though sheriff help defend scorned never mind b movie never mind fight obvious land even though guy like mule quick gun old western trope experienced gun facing seemingly insurmountable odds fit dynamics town suddenly cope return son also love triangle resolved soon enough murphy reliable self authoritative presence despite deceptive mildness still boyish know nickname assassin pocket western cinema even though around share low budget consider sagebrush star highest order murphy watchable film fitting last word clear land think needing one ex clint cooper fought good fight last gun way magical endless supply refreshing see seen mention pastor actually convinced someone sensible thing engage dialogue rode know scenario maybe favorite bit trivia best sheriff probably best known sheriff second place even times film video good shape murphy one trying get couple hard find show pleasantly amused also acting better good movie interesting see younger days aware movie recently put briefly main attraction movie subtle occasionally ill advised portrayal tragic victim cruelty main snag absolutely horrendous production play era tall great former latter really dismal visual experience setting enough exactly enhance drama play shot worst soap opera style possible made production direction consistently inferior supporting cast excellent though dignified brett intense portia deliciously top morocco especially hilarious disappointment oddly enough portia rather dull side indispensable film either merchant truly painful ordeal meant buy copy got instead lesson learned good delight first one saw chamberlain back good acting period making look weird sad story idiot father jail stay long enough may recall little boy set aflame bed father sentence life badly scarred would expect angry person glass spitting anyone mother incredibly strong charge let go would whole story heart breaking risk happening father believe spend miserable life jail justice blind sometimes stupid watch lesson cringe good learned lesson story new found interesting study across globe mostly middle eastern unbelievable parent peter acting spot felt anger mother concern child wonderful crime burning bed great well great acting every massacre movie one saw opening effects cool need complete massacre collection c mon warner get even package cheerleader massacre rebuy poster horrible movie found entertaining always huge slasher fan high body count likable enough nudity killer blood lots mayhem bus get first five meet way take lots apparent reason thing like kept going ending found annoying every new would pop way better part honest like pick comedian like watch watch enjoy stand comedy many choose something everyone try bad funny part wish available oh well good interesting see getting start trying best interesting nonetheless prig laugh head maybe give something think film attraction limit think free mind rest follow think major theme film video much thought see recommend e documentary night bowl one air freedom comedy concert several times total agreement minister silly enjoy air people video much western canada train still enjoyable train history good film interesting learn history canada like neat country like wonderful trip video really good beginner older person get also like difficult along way add one able far found effective look forward yoga sessions several days week different type film really let say right film funny however experimental film thus get normal story plot case get plot concept yet still think film good colors pop make come alive pretty yet silly alive works overall theme context film thinking film two similar structure wild craziness within tell made however beautiful yes mold new wave cinema style stylistic look yes like yet new fresh new somewhat spiritual undertone mean sort underlaying theme feel far interesting many normal day say watch least different good way say director thank taking chance making something different beautiful say season drunken mess many actually something giving missing best thing yet reunion give simple fact hilarious show never meant taken seriously cartoon aspect age video made laugh little daughter job get conversation flowing show stuff harder explain show great way talk younger girl comic aspect make less serious yet still information film something world see found real government electromagnetic torture use silence whistle would monarch program monarch program use mind control would difficult know exactly uncovered much true would difficult prove one thing certain something wrong must see regardless helpful good letter would work warn good movie anything good movie one terribly bad get making fun horrid acting dreadful writing dreadful cinematography would come amateur black ribbon gas watch like like room troll love one looking sword portion many would chose take find good simple instructional video designed absolute beginner someone mid level martial experience least video show level difficulty defensive video volume bad reference know basic beginner little background knowledge video definitely help even taking different form martial undeniably good video police ground combat information incorporate engaged officer combat likely tap put lot better thought would easy understand follow actually pick informative basic video music outdated detailed thorough nice art solid technique left wanting opportunity year ago watch blue crane experience lease introduction worth review photo well learn new blue crane clear concise understandable host also good description solid photography disappointed lease first video demand blue crane also advanced goes greater detail covered maternal great uncle maternal grandmother two distance get idea family came early twentieth century found way first gradually viewer people well dynamics fairly typical family joe man special talent cheating comes gambling specifically fake dice bogus dice actually main aspect cheating people side create believable looking phony dice bare striking resemblance real thing found basically two going back forth throughout movie one mention dishonest man finding way inside gambling trick even professional pull biggest money making around town guy really good rare discovered cheating always able hide dice time make clean escape drastically different mentally teenage son numerous trying keep sons anger check teaching respectfully communicate one particular occasion involve son ultimate gambling scheme fact two eventually come together near end son involved helping father win lots money gambling center success cheating father get away watch find overall joe pretty good movie drama teenage boy little bit suspense whenever gambling happen movie able pull without whatsoever enjoyable steal movie though convincing part joe son joe story crime deception craft people would rather steal money fixing game earn honest work outside gambling life greed always mark clever thief joe son handicap relevant side story emotional family movie also used possible real fast jack special tell us made living old days well insightful several ways able catch interesting tale family gambling direct part sneak peak promotion one hit wonder well character study film crew pro gambling relationship man retarded son could routine vehicle turns much story full insight many aside premise repeated everywhere father son film gambling film watch special apparent primary intention anyway one solid performance remember black movie slew normal everyone else lead film making buck father care son essentially see become closer whilst cheating everyone come across importance viewer liking work well special make three star film four though minute making documentary extremely dry slightly informative minute documentary technical consulting fast jack touching movie old guy talking past skip rest even movie least give watch minute clip look film lighting minute clip premier footage best minute look used film wow review hand used dealing poker watched slow motion times try figure heck fun sift director first real film decent job film quality average poor times sound selectable music heavily seeing background props gambling adequate gaming watch fiance well done well written well recommend drama two beautiful complicated film heart heart really needs phoenix shaw give powerful phoenix best actor generation hope comes acting future writing film score well two shall leave wanting enjoy sad sweet movie watch movie without let movie flow love one one caveat chick flick film experience possibly best posting best show column certain watching two felt inspired write considering film two first time may immediately suspect two phoenix would obvious best show praise upon actual apparent one performance subtle yet alarmingly tune character one cannot help obsess yes talking shaw young kind hearted woman relationship father recently business merger father brief observance mother dance work father set meeting cute serious involve cancellation wedding multiple suicide tortured soul intrigue help heal first meet candor endearing shy reclusive natural unnaturalness demeanor maybe met approval immediately back basically telling worry wanting date oh god phrase twice film times carry much internal weight relationship see spark spark knowing sixth sense something right getting strange phone becoming reclusive away yet never saying truly mind see unwilling confront fear losing want real second oh god much weight tell quite sure two sadly one lover lover generically girl one stays every frame sure vanilla drug addicted neighbor married man almost instantaneously becomes sole obsession certainly textural approach shaw took character scream life make love seem real sincere devoted much praise singular performer guess weigh movie found stirring defiantly engaging two felt kilter character little two unstable know tragedy phoenix remarkable job balancing new life old one far melodramatic downer script really allow us know really understand felt shifting focus relationship mistake real emotional crux film ending surprising totally saw coming read little false also one upon reflection probably person moment film really know film flawed also memorable quiet yet sting stay also shaw oh weep lack attention last year first say club scene shot boston club felt obviously exterior done story intriguing casting perfect spot nice see smile much film phoenix heavy ever appropriately character convincing talented two magnolia phoenix turns stunning layered performance faltering shaken young man whose life marriage engagement psychiatric diagnosis remains fuzzily defined film come back home live benign elderly predominantly neighborhood beach position defeat mend life romance comes life two one wild forbidden safe complexity character comes view one might expect man seek comfort safe lover future wife replace fiance deserted instead drawn mystery wild new neighbor one remarkable twist film find away ever attractive character danger chaos run away want yell becomes phoenix performance continually reveal simplistic cutter vocabulary modern personality remain elusive make sense even ultimate decision life difficult gauge make good decision last heal simply know know see case see fine film unusually rich mature psychological complexity definitely worth joe film review good story pretty decent excellent play like real life drama get disappointed notice strong influence waterfront splendor grass gray intimate character driven drama human scale story realistic faced main director screenwriter achieve somber stillness film breathe inhabit subtle manner would expect story working class beach neighborhood plot moody suicidal young man aftermath nervous breakdown triggered end engagement forced genetic running consequently would impossible healthy grappling bipolar disorder back working half heartedly family dry cleaning business seek suitable replacement e comes form eldest daughter father successful business colleague however unrealized become photographer rather default running family business life complicated new neighbor upstairs pretty blonde turns law office assistant unsteady relationship one urbane married man hesitant leave wife unlike tame used dating emotionally fragile becomes object passion obsession story tentative romance friendship desperate love inability make mind clandestine half life traditional existence becomes involved calm welcoming family come head miscarriage thanks indiscretion move away san must decide stability home prospect exciting life phoenix inarticulate ideal opportunity express inchoate romanticism badly character certain impressive performance even turn cash line better actress often performance precariously entitlement neediness shaw least three natural warmth unsuspecting two key count conscience embattled protective actor surprisingly aged affecting particularly heartbreaking climactic scene phoenix ending quality fragile state forever short couple making three wisely cut since would provided unnecessary imbalance acting solid entertaining unique nice movie suitable enjoyment afternoon evening like movie like magical movie ever worth watching maybe ha good movie several glad able stay ocean second time good job wife sank story realistic situation setting excellent acting part phoenix film reality love usually works comes making choice either happy content love often learned time one really us one hardly ever truth settled sad true phoenix two life one mad make final decision real surprise ending excellent suspense one could predict ending good story line little low key much action still entertaining enough keep interested end simply live phoenix acting brooding charming unpredictable easy pure escapism story odd movie saw video year received mostly good dynamics right point well believable one reviewer found script trite found poignant would hear eavesdrop people real life phoenix carried movie time ever learn important good diction conversation especially movie blame director speak way mumbling bad set order know exactly saying supposed last film believe make living pay movie offbeat enough keep watching several good enough character development worth blockbuster super hero vampire wish made like character development acting actually nominated last year hope trend excellent casting powerful story terrific film great acting much sorry spend lot time word limit great phoenix great story human twisted gentle great film despite list cast essentially infatuation love simple yet perfectly executed want give away plot like drama romance authentic romantic comedy junk please rent buy movie similar theme tone strictly sexual movie like also great movie didnt put average image quality understand way movie shot doesnt compress well lots dark result still honorable better film big surprise got see sneak peak hit one sneak peak film filled interesting true complex typical romantic film one filled real plenty grey area one better seen year great story line way dark interesting look mental illness great cast wonderful romance unexpected ending highly recommend interest thought ending predictable fan may sensitive charismatic young man sort artist self thought photographer black white urban landscape forte admission lot utterly unhappy long term relationship engagement ended abruptly emotional vulnerability making impossible function society without medication constant vigilant care struggling figure whether live die works father dry cleaning business short period time two beautiful different one dark haired professional independent affectionate compulsive party girl kept married man side personal entertainment inevitably emotionally unavailable girl convinced help take care social prospective business deal arms story simply curious see girl final choice going follow heart follow head offer offer true love compromise life one make order become functional even happy really movie director delicately turns improbable sometimes turns probable course price learn price must see movie many consider girl sorry movie shaw screen high raven hair give exotic beauty image offer tricky enough business trying juggle two time even best imagine trying mental stability already question emotional state far sound two phoenix young man suicidal depression condition made imperative move back old world couple live spacious apartment beach life turns even complicated stressful becomes involved attractive friend family want hook beautiful seriously neighbor one day hall problem really head love needy self absorbed high maintenance involved married man really getting back love based short story white nights movie name inexorably sad moving two place world rarely talk whisper possibility joy drained away movie almost achingly perceptive human psyche actually works comes heart control neither feel feel us though certainly expend great deal energy time trying bad guy heart go way intentionally hurt also deceiving believing nothing wrong clearly ditto needs much care affecting poor trusting one may wind paying indifference end tone film restrained subdued wintry screenplay gray direction gray astutely dreary emptiness phoenix shaw give heartbreakingly involved messy triangle prying devoted mother always well child phoenix stated publicly two last movie ever actor let state right front indeed case tremendous loss profession fine acting everywhere whether protagonist male female guy gal want scream run run never given phoenix much credit acting movie great job better usual self would watch deliberate dark subtlety suspenseful movie emotional vulnerability immaturity one sympathize main character phoenix end pitying shaw adult part due mental illness owing laziness complacency stunted emotional development writing acting involved especially phoenix remarkable protective intrusive mother believe role son neurosis also subtle consistent performance gray mood beach middle class ending based behavior made throughout movie know one sense nothing landing safety net daring trapeze attempt tried making impetuous break work suicide pragmatically losing investment ring plan b anti hero graduate read lot yet find one directly believe central message film story man choosing someone someone feel like man safe girl wild girl rather man immature irresponsible utterly selfish yet cannot understand unhappy everyone around works tirelessly pave path happiness career creative avocation beautiful yes safe brunette fact beauty even level yet instead ready walk way run type woman would try seduce married man away family want give away ending qualify saying following watch well made film understand say end left ambiguous whether actually take responsibility happiness learning appreciate think ambiguity whether value needs loving people around pretty selfish start finish shameless opportunist kind guy absence brunette picture goes dating message complain hot go rich men evil gold never mind dowdy irrational shallow attraction would met anything equal shallowness like truly convincing portrait source much discontent society film see certified group exercise instructor taught beyond belief video good fundamental nothing overly hard good sweat going end also core end instructor informed nothing annoying like get would recommend like good core workout one bill thing would helpful new explanation basic beginning instead end course glad deal skipping part new go end watch basic get seen background sound whatever appreciate great workout basic workout video love love whole boxing thing really like next couple reps join missing workout could never quite get hitch kick explain couple boxing add small weight increase impact arm would give five except camera person always keep instructor couple times miss demonstration really good work end thought great workout beginner could follow along easily still great workout agree film quality best sound bad instead instructor obnoxious peppy also like fit strong instructor like instructor also gave eight count next move new punch break end video would better beginning overall great workout find workout easy follow fairly entertaining past days far good easy follow good workout intense easy right used video first time today long way go get video success would think would lot beginner said easy follow fast paced high energy difficult keep trying improve flaw program sound somewhat muffled instructor headset sound live simply turn volume anyone hearing impairment might music repetitive going though maybe would headache good free workout used teach instructor good form music could better instructor always beat thought decent workout necessarily someone new correct form definitely use video nice workout get heart audio quality could bit better acceptable instruction technique comes end video may fine clumsy video overall fun workout encouraging style go workout min always work sweat end video enjoy would definitely recommend yes audio yes quality video poor important however good workout almost days say great workout like people like might high impact instructor bubbly perky want turn solid workout people looking workout people really difference weight fitness since starting well look better actually nice strong plus calf look great want perky high end studio stuff want solid workout excellent video workout production video sometimes music instructor see camera also people going behind curtain workout great year doubt whether could done workout without tried less first section great enough without difficult follow beginner find try something like minute minute solution getting used basic go back video try concern instructor arms hook look little high look little dance love workout workout full minute warm core strengthening last short proper form good combination strength work plus fast paced fun good music well fun workout video boring music goes along great video feel like rocky workout reason chopping one star proper shown workout sound quality scratchy couple instructor talking group fitness instructor actually find working little sweat workout fun doable anyone average fitness core work end even though quite brief instructor music fun good workout fast paced prepared get full body workout work sweat great workout however picture sound quality best get heart rate basic self defense yes video production pretty amateur instructor awesome great energy workout aerobic without high impact better many money good workout previous star rating refer video fact burn piracy buy full disappointed rent said video quality difficult hear however free prime many main concern form leaves much desired especially kick classes local gym trying learn proper form use one weekly rotation yes best production really good workout actually stop tape catch breath body much much definitely waste time hooked great workout like extra core workout end would recommend anyone looking fun workout made warm first two times thought finished looking forward able kick look foolish son like animated story learn eric son live life manner faith god living life certain manner good example thought good want watch story good season nothing ordinary still good waiting wedding come working way bachelor series comment find seem want drama free zone drama would gladly slap one lady needs acknowledged true classy lady core hogan widower lost husband daughter less year old raising could see husband great love life realistic young husband want live life deny child father figure remember one scene ladies area looking luggage everyone squealing laughing ball said barrow stuff even put fashion show end later date taught ballet grace posture beautiful dancer body elegant always supportive house never negative thing say anyone week home town break everyone heart leaving ladies huge statement know like rare probably show would really boring like would nice see classy ladies gutter take catty swipes people second turned oh personal note really think anything write home pretty plain looking man opinion fun watch old bachelor problem believe cut episode example first one hour long know longer bother much well pleasing eye narrator pleasing hear great well done useful time line start episode goes articulate history period clear theological historical use art greatly presentation goes beyond person simply history book could achieve easily stance comes effects overwhelm protestant content method bit dry especially unfamiliar college graduate school used adult church educational group information excellent art deal learning early church major seeing church today used video teach teen girl class tabernacle like several watched twice good video job could excellent wish within video front run baby run good job telling nicky story thankfully real sure really enjoy highly recommend anyone know nicky book movie tell god love change heart even someone like new york city youth gang leader like cross switch blade even book movie humor anime laughing loud times nicely drawn high production well worth watching least one episode good documentary anyone interested evolution unaware interesting story touched human convey sense life like period class without best clash love hate time two people addiction substance also person situation movie mostly fantastic design work recreation period cheerful movie looking something uplifting watching movie though storytelling superb truly captivating beauty graphic video feel acting good enough sex could limited nudity story compelling draw quickly keep end end happy one though much prefer happy ending story could gone made much longer film different pleasant conclusion ending allow create though classic movie like story feel sad end story love movie like interest although quite mostly man telling future mother law year relationship mistress thought would present tense past memory type stuff attractive good ending since rather predictable feel pity young bride love love hate love movie humble opinion write four watch movie slight spoiler alert really case definitely thoughtful drama story two dare say star crossed incredibly intense movie quiet yet rife underlying tension unfortunate predictability tragedy aside really fantastic watch good happy acting great especially enjoy overall feeling sad tale finished yet holding interest hope everyone happily ever sure know great drama love good love story watch movie think language charm movie watching movie argument love drama sex recommend watching one going sleep bed plot standpoint seen one reminiscent beauty story line framed chorus mediocrity sparks film performance purely carnal comparable mix masculinity seductress sure much character quintessentially concept true beauty interesting set like number modeling based reality several attractive men become true beauty live house perform various every week one contestant based upon interesting twist unknown inner beauty well ethics kindness generosity forth always one obvious challenge create outfit group besides obvious always secret component testing inner beauty case outfit group steal honest often weighed equally superficial result find secret nature interesting though concept somewhat repetitive also sure figured secret nature quickly able right overall fun show watch definitely interesting twist typical modeling next top model male female think modeling show model actually nice little set see respond engaging watch fun interesting insightful approach high energy dog powerful big need little positive reinforcement continue use incorporate training well focus st biography excellent location site video actually take holy land documentary basic graphics visual aesthetics interesting great accompaniment good see celebrate leprechaun need quit watering religious could anyone displeased disappointment video came end love ghost show love always approach trying debunk first real lover show sound quality poor sometimes picture quality hope future sound little fine tuned like thing disc place package disc stayed unlike poster lock keep disc place still completely together know play fine beware getting product gave star rating huge fan show ghost thinking making like done like never paranormal field always used find topic silly like good ghost story might come hand ghost told next door neighbor tourist attraction skulking blue lady many blue ladies anyway never interested least always waved active fi channel running series flip right saw seen way many set reality take example one divorce court host would whisper microphone transitionary explain going standing real court room real session would presume show real court case unfolding phony court room set sound stage studio lot host reading queue entire audience know sure set around watching tape show believe burbank watched take take whether based upon real case matter show act fiction rain anyone parade reality set fall everything proudly reality figured ghost featured crew running around rigging camera could make big deal camera figured phony trying pass real many one day early stop episode finger poised channel button something interest proving house huh slowly finger left channel button slowly set remote aside opposite made seem trying disprove prove philosophy rule every possible realistic explanation still explain may evidence paranormal extreme sense interesting kept watching watched fast forward couple back back late went bed sneak bought book hooked like fi production use much spooky music introduce silly ghost think interesting native sound camera would give us environment cheap intended entertain irritating dumb show none anything grant crew however mostly pure skeptic interest kind show fan ghost fence impossible really cross line believe without actually debunk lots would ask hear show scientific would like see probably time simply edit lot put faith best every bring someone divining pagan craft order evaluate possible sure really toward serve entertain serious paranormal watching show audience try look past lots think attention make show especially tried best debunk simply explain something caught camera digital audio chair shadow light another aspect show wanting everyone crew believer grounded yes question nice really serious skeptic show perhaps someone skilled magic type person grant detect con easily found several old saying goes trick trickster would chilling skeptic discipline say thorough inquiry analysis well weird reasonable explanation especially interested evidence abundant never kind thing outside fiction pretty limited hoax possible radio frequency interception doubtful based c used bleed previous voice also doubtful considering surrounding noise timing legitimate b c weak support purposely made show someone inside going spill sooner later end grant seem like kind would want take kind risk watching unless someone wool unbeknownst could continue long without catching seem sharp eye skulduggery leaves possibility real really traditional recommend series curious skeptic grounded believer hard core skeptic forget never believe anything matter hard core believer point believe every door ghost entering room rest us open minded logical worthy show study day ghost whatever problem might whether annoying elbow joint particularly pesky roto rooter p atlantic paranormal society case ghost hooked show since first season airing last year watch poor frank get taken sound equipment whenever want sad frank cool us forget best vol pretty well priced two worth cool supernatural stuff ten wow also tee training cap show black yellow taps front even magazine keep eye fellow reviewer often invisible camera worry course catch much season two far remember one favorite see something mean thanks channel eventual release season son catch ghost every time comes love see since seen latest series great seeing humble film quality good thats improve go along got lot though think could left dealt topic hand whole though accept first teething still great certainly watching future first season taps introduction show really good first season well great bonus footage season see behind upheaval taps really present current however exceptional season really good set would definitely item want get know paranormal investigating might love show much could wait purchase could rewind pause film roto rooter investigating possibility spare time get better well generally like show mostly later think season mediocre ways honestly season pretty hokey stuff going demonologist dowser overly goofy tech guy way excitable science occasionally questionable drawn evidence seemingly interesting make worth watching personally think set terrible least copy got like company trying get rid sized large case made like thick kind clips toward top bottom stack like could like together space used hope half season way knowing fi channel half season always thought stupid double dipping tactic rather see use slim hold per side package couple complete together possible really show catch sale great well bit mixed bag use best judgment huge fan ghost ever saw fi channel hooked real deal make crap box set great little prob finale season like submarine ship know season besides everything great love ghost buy hell like thats great deal wait season come whenever first wasnt sure show watched team taps think see dedication also neat see go especially little watch never really see ghost times pretty convincing evidence times much interesting worth watch grant lead way try find best ordered watching paranormal whole life however show think grant awesome someone paranormal whole life de done taps become irritant times first constant dismissal light yes sometimes dust sometimes insect many us get regardless go camera used fourth detailed distinct orb thats see orb video around one particular person people field respect first ghost manifestation distinct detailed film blown picture program see close cant even definitively tell dont dismiss yet constantly dust effects opinion rest mention watching show people going getting full body video footage many starting see dumping like said people arent going fortunate enough hope afterlife seeing actual apparition seen dont many however get dump nothing dust dumping calling dust debris many true fair say second glad finally stated dont haunt cue deem place investigation nonsense active days pass get nothing taps place depending whether put broadway show since light wont accept crew boss also ridiculous order properly investigate place give fair day court talking minimal week taps leaves didnt find anything spent people feel stupid shamed like making werent third annoying straining hear ghost voice caught recorder got sound people scary loud music blasting background completely hearing could sound people future ghost irritating music trying hear caught voice recorder fourth episode episode grant seeing see cameraman stuck face got grant saying got way back since wasnt camera personal experience cant wear miniature camera head instead taps baseball cap see see episode episode see everything see almost nothing face reaction saw didnt get see would take small camera giving us perspective know like hate show dont otherwise wouldnt bought appreciate dont try startle scare people look truth could bit research bit open minded comes one top mention best commercial roter rooter ever upcoming make better us see see giving time couple get rid music us hearing audio caught also stop poor getting really really need know everything little privacy would probably go long way toward helping recovery huge fan naturally see show would hilariously great every time someone talk something interrupt interject jay mohr milch talking away incoherently brilliant way quietly go laughing said meanwhile talking people speaking eating milch network cable cast last season audacious unfortunate change thanks continued presence house old team peripheral fortunately season finally coming new cast first thirteen poor knockoff whose hair physique vocal pitch similar predecessor obliged go alone contribute much outside angst character bisexuality good deal awkward girl girl action thirteen getting cozy foreman throw potted plant screen surprise ever reliable stabilizer grounds thirteen sympathetic light go figure next easily actor ever seen life appeal believe head character appropriately enough similarly bland shocking departure series emotion absent minded relief actor left pursue bigger dare say saved show good riddance last team member peter hard buy adulter bald slight diminutive man since infidelity basis much story argue interesting old crew dispersed minor within hospital chase spencer house go guy operating room removing need anonymous used see week attachment season fretting upcoming wedding busy making chase miserable inspire lot sympathy interest walking cloud neuroses foreman power hitter back head house team positioned take vacant slot welcome relief house well house time majority season systematically wrecking ostensibly learn really amusement become typical pattern show final grandiose mid season lull weighed house pointless petty past cuddy assertive doctor businesswoman would tolerate house cruel expense fortunately season slightly abuse cuddy season leaves final house traditionally include trip protagonist drug brain highlight course return amber applicant main cast beaten stupidly instead pill induced apparition measured past definitely top contender surprise given lovely lent amazing talent last season fantastic ending well tolerate bell curve show quality well worth seeing house still present fifth season show character drama handled extremely well acting top notch around season incredibly solid episode every episode hit feel quite right stable season easily far one unique medical ever testament show quality stay interesting even house like best show ever great watch go medical field college vet school house favorite show getting better also house like really mushy like medical like let see grey anatomy appreciate much pretty much house emphasis good season good house always stellar new crew leaves wanting made surprise could almost seen cliche enjoy watching fear season previous big house fan like purchase make sense round collection maybe casual house watcher know good episode bad one purchase probably important money could better spent elsewhere feel let almost feel though struggling run hope next season get back little bring back show fell hope great series love house love liking case better first although good price shortly first buy brand new came wrapped nice second disc third disc scratches around outer area disc fourth disc scratches watched first disc far play fine question would send returned disc thought post beware edit give fast delivery returned disc came perfect condition thank want start saying last two season house great interesting writing visual style season six begun fox hour premiere good second episode complaint good one house seeing dead notably amber house eerie looking end season begun season two hour second whether still seeing dead people psychiatric even ask still one word big mistake also reality know might make mentally ill probably know share house several ago leg instead anyone remember worked course back back bottle fine reality pain management try pill even trying something would dead permanent yes permanent psychosis house would see dead know spine much house way told side permanent psychosis also look various study great opportunity even house start season beware continuity lagging hope address season house could also pain jerry said therapy pain management work house less one leg pain pump would probably work end pain end series since love house find hard review happy house took subject mental illness truly long could go though character usual way dealing sarcasm denial denial breakdown season acting wonderful always one applaud sure like change chase reduced much minor past four however like new house obnoxious fascinating watch wondering pejorative going deliver next irritant way cuddy enable drug use outrageous behavior one point stood house last long knew however keep waiting one take swing house one love hate series near good without cynical attitude medical always interesting acting exceptional great series one hope remains air good house remains one well cast well well written tho show remains highly enjoyable season unfortunately one far reality show type job last season keep season interesting along excellent last two loss amber end last season great loss good episode season deprive two interesting new mostly boring relationship forced really fit well together drug screening good could done without necessity relationship hokey obvious attempt pi show probably biggest let season character really unnecessary whole thing got silly quick unexplained disappearance show help either overall writing little mediocre season less interesting predictable house wittiness mere shock value many times chase felt season regulated medical relationship curious original cast cover spite season show remains strong enjoyable watch love show suttle yet also leave edge seat company returned fifth season house medical mystery series cranky doctor medical season five house good one felt good previous four still lots like season five house course main reason show still works still character watchable every area cranky crabby funny supporting cast terrific start everyone goods season five especially house boss cuddy good previous four felt really came season five character yearning become mother finally got chance explore single motherhood baby plus possibility house cuddy getting together medicine whenever screen superb every time get nomination season terrific job probably knowing stupid tend year year also good season five house true friend early grieving death amber young medical student tried get house new team season four led resignation hospital handled well gave best acting show like unwisely well probably season imagine back hunt season well show best drama series like see get show star would nice see supporting cast get change standout episode season five last resort episode extended episode house aka thirteen taken hostage person whose ill seen many none found wrong house find wrong actor man house hostage last year critically close series damages could running year guest actor drama series powerful guest stint episode far away best episode season five one best show ever another strong episode episode simple explanation critical episode major tragedy team addition terrific guest guest another favorite season kitty episode veteran actor carl final episode season five sides episode funny episode house father funeral two encounter comical along way couple fifth season unlike past four almost every episode compelling season felt interesting plus show better original team fun watching house bounce foreman chase current team result new team season four got kind ticked little screen time chase season five also little screen time season four house new team figured would back screen time season five case spencer attractive good show first three major change end season three chase got fired foreman resigned seen less spencer foreman actually got screen time character returned early season four cuddy hired back working house put house new team work good thing made mad see chase screen one episode one minute screen another episode two thing spencer deserve better treatment think apparently giving screen time latter portion season also good thing even though still see quite much first three great see two screen often late season season also one may stupid complaint peter series opening sequence added opening sequence exactly first four new cast opening sequence make sense especially since got far screen time spencer course house new team going get plenty screen time know probably stupid thing complain like see opening sequence season six sure see departed show late season pursue career politics president despite house season five still great going interesting season six house facing major headache towards end season five seeing ghost amber season four star couple guest hopefully get back track season six quite good still well worth time watch bad caliber good shape watched yet one sticking yep thought house season absolute avid fan medical resist season say loving personal house cuddy romance cuddy baby still totally medical even enjoy original drew foreman chase play significant role season enjoy survivor gimmick season give season chance remember hate house good season surprising end despite obvious predictable start take show back seat drama still good season season house premise may wearing little thin premise course every episode someone getting sick several save said person house something realize actual disease problem patient cleverly number side usually personal season premise wearing little thin time care much case season knew pattern trouble eventually get used pattern get little tired similarly side nearly interesting season thought house looking replacement rather interesting little quickly story thought back also budding new romance felt little forced ultimately nearly interesting chase speaking role show limited episode story leaving going leave gone showing remind us much miss old days know making season seem terrible house excellent show personal cutty finally got child good first would given child made everything perfect show go along becoming parent also like foil house much feeling house without character number show help feel show premise running little thin go one episode without multiple disease never maybe recall taking one trip murder wrote result dead body love house season add anything new lot keep watching nearly excited good speedy two disc box fault brand new original good service use seller really four half star review quite give season whole five despite best every written simple explanation trio ended year still weak lucky thirteen kitty especially come mind marvelous way show works almost story end way long believe devoted took way much room season took way long pay additionally please let ever consider another spin p mildly diverting deserve screen time ended however coming unmitigated disaster season amazing season still want find way integrate chase back team still warmed either season whole remains one best executed whole series suspect partly due fact immediately season probably also due departure unexpected gave inspiration house eventual breakdown building fall amber death absolutely believable heart breaking whether season six worthy remains seen hopefully better amazing cure two season house remains driving soul heart intellect amazing show bought house season five complete collection must say second time around think writer house character great thing lot interesting however favorite season recommend say watch way fan look forward getting next season always delight watching nutty always fascinating house unpredictable battle conventional humanity general staff particular due slight defect one included always fascinated watching house episode trying guess disease throughout show find thought would true part worth bought new case inside case hold cracked would bought used bought new house fan show since beginning understand coming say season may pivotal excitement felt first time watched better times see uneven season part one season long structure previous instead favoring smaller story times felt like show auto pilot rock solid locked impressive turn patient whose inability move communicate nearly marked dying simple explanation principle character life interestingly two back back disc four say season really sold peter character hard remember time part series regarding bonus content felt lone commentary locked fairly dull average viewer likely already though obviously cold really beach day point repeated several times fluff piece reaching one cuddy season basically summary provided similarly lifeless piece casting show ground breaking least area production often kind nice bonus feature completely anatomy teaser thorough look episode sequence find lie entertaining bit cheesy acting watching season see improvement season like see far go saw one two ago across really like story individual unlike serial yet threaded together enough watch ended wife tolerate good compromise acting good premise behind story flawed like stuff get produced turn brain enjoy studied subject interesting know probably highlight general public gripe program refreshing change typical good acting know series air plan watching available wish far show concerned absolutely wonderful show based real research exaggerated course entertaining great acting great fresh good musical score reason gave picture quality new ray player p watching ray new player thought player full potential picture crisp clear ray ray player sure problem particular fox put much work making picture quality best could anyone else problem please let know let know took fix problem able certainly recommend show hope someone help resolve picture quality problem enjoy educational side science reading facial detect guilt shame fascinating one complaint main character heavy accent find difficult understand first season lie creative fast paced well display high degree professionalism episode entertaining would give show five star rating plot become let say predictable know must incredibly difficult write mind reader however say writing show inspired good watch good show premise fairly unbelievable acting good action fast paced season nit yet season feel rush start although someday yet another feature film actor come television course excellent usual see never plethora riches ever since taboo film never television testing adage reverse tried make leap fell flat happy go series leading man film another fabulous film actor cal lightman expert lie detection lightman group detect deception objective scientific criteria facial would join everyone else five grading series based sole factor however sole factor series surround lightman group usual kind actor one series key woman example one husband one dimensional comparison lightman ex wife daughter verge cliche territory well young man lightman devious behavior also type series fresh cute know needs taken peg none strong enough good enough cut series pack actual lying person study fairly well written interaction liar typically highest level interest guest star liar better show regard wish quality drastically hire guest like gena hired great effect monk guest weak show need fixed show truly become worthy five decided sample disc season generally although pilot episode shot much rapid fire way little time given nuance reflection subsequent much coherent consist enjoyable overlaid grizzled investigator photogenic gifted teasing truth honesty great desire rent additional series sorry initial like creativity show think know fun wait second season come quite human lie one best seen past disappointed three always fun watch consulting group psychology read people body language interesting twist private investigator theme premise bit formulaic new good gimmick story hard imagine series keep interesting slant however willing eager continue watching one best around item good show son good get store better price though know much deception testing show accurate part pure bull good show show separate fact fiction somebody something right show man studied discovered micro betray true tool company work like solve prevent dynamics main excellent always little undercurrent attraction well written keep wondering like really works tell someone lying definitely want always cheating deceit ugh guess appreciate matching facial find amusing story sometimes obvious simplistic prime time show bad able watch really cool take look really like main character series always engaging show last network produce show good found fox lie well show comes close cable quality several intelligent drama intriguing great set cal lightman walking human lie detector character complex personal like cosmic turns forward backward foster lightman partner many conscience first season deal demanding job well marriage government bureaucrat secret rita new block lightman like two mirrored plenty ignition fodder keep fiery edge catch situation senior research associate however conflict conscience case subplot season interpersonal rita well lightman teen daughter cal lightman child divorce intelligent intuitive even though dad somewhat difficult father daughter exchange course dad use observation reading cardinal rule enigma landau ex wife us attorney relationship ex complicated many ways much like foster personality style agent ben added late season patient bull cow pasture definite element chemistry show opinion best season one perfect score love always best policy better half blinded sacrifice please keep mind entertainment series good one scientific treatise body language lie detection great show new case two every episode new also used develop show clips famous people explain lightman case besides educational actually kind scary knowing people like lightman ferret truth without ever utter single word typical cutter police detective investigation drama series interesting way tell episode within show love concept show science facial watch reason overlook writing never quite seem real authentic never start thinking real people show lightman ex wife feel though secondary strong believable ria frankly lightman creepy factor love show keep watching interesting deception maybe place use human lie accurately enough take court real good show viewer see possibility becoming reality since already use without realizing acting excellent become intimate viewer helpful ongoing series little old fashioned like good win keep lying interesting concept interesting ambiguous crime series alien legal alien highly professional business lie detection company name specialty facial expression body language hobby horse micro expression facial less second detectable film business consequently ultimate approach film people watch catch moment course firm also able analyze hence sound also female partner two ethnic specialist staff woman ultimate expert manipulate even team basic message series try beat truth comfortable catch far good want accept done done might work better course nobody would want live living lie like hence private deduct star first much star move like wooden casting uneven say politely second range possible limited unavoidably lame delete half series know interesting even entertainment hard grasp ethical far clear show cam spiritual counselor told looking thought would enjoy show season wait get season clever witty great cast entire series found inconsistent quality writing brilliant odd almost desperate trying change keep air continued develop born season one would gone season series wrap since recommend watching find predictable great character writing like see like good interaction cast guest would watch hit like follow formula vary slightly watchable good actor super acting like fun watch highly would give star realistic many continued show good show good quality streaming video ability turn helpful well female costar perfectly cast go show monk went air lie comedic element monk character brilliant monk tormented self image place monk various neuroses usually cast bad guy rob hulk however guy would bad mentor back spotted genius reading people teens turned potential criminal fundamentally good man fly ointment series overtly sexual dialogue time time cannot share family nonetheless amazed series deserved much longer run series premise interesting actually learning element series five series seem long term story within series theme series variability continue watching series see us believe program interesting definitely think science behind program bit shallow juxtapose genuine fascinating see real appear transcendent husband certified fraud investigator classes reading facial body language lie great story line educational lot body language miss normal conversation personally professional would normal people try analyze series mouth really enjoy older series violent gross love fact family heavy action wish watch bring older television series good show wish new still made interesting look facial catch watching people see recognize involved show multiple would like know much based true information reading much better whole lot gore garishness car great show witty suspenseful watching looking forward hell yea know series daughter watched episode hooked based loosely recent cognitive psychology smart inventive series television put good unlike recent television common denominator series active engaged audience unfortunately probably consistent low hope intelligent struggling show future cal lightman deeply man whose intelligence everything series possible also entire human race supporting cast admirable job giving room play also carrying weight look show governmental classical slick stainless steel great effect sometimes grasp overly simple often reach snap fact tiny nonverbal time effort still subjective interpretation series format time perhaps forgive considering rarely acumen ambition show tall dross good show informational character driven intriguing look one aspect social watching show first came amazed people see person telling truth like show lead character willies staring people like show like lot think watching people get caught lying episode episode little tedious interesting rather think much lying going know better good good stick interesting case real people engaging action drama touch suspense good acting role sides watched far watch interesting wonder many lie stay fresh hope fun really watching one two watching season three like especially cal way different excellent show original fascinating main character old remember name personality house columbo would like character little less pompous took away fifth star show well work watching love political best part show amazing concept classes taught reading body language sure would enjoy class reading thoroughly enjoy psychological series suspect interesting concept husband watching first season far series find interesting thus far much bad language graphic us find much based actual science entertaining acting believable plot new engaging really thinking done look st facial team well well thought cast theme line sure expect show good friend really like sad sherlock everyone facial body would recommend watching short first season lie big surprise show format concept particularly good superb acting ensemble cast make average opinion simply foster gorgeous mature self assured without cocky need prove anything show talent kind set watch one week maximum know season one short impressive idea professional team spot based body language main character compelling supporting cast hit miss interesting appreciate show real clips lying us body language facial definitely pop psychology style true main character based real person satisfying love catch lying interesting theme love much expose let get sake affair dialogue b b plus story plotting b b plus freshness topic minus overall grade b b plus watched family show particularly first season sorry show first season weird first keep watching able stop say pretty realize many people lied past wonder stupid notice probably gut instinct idea pin point well watch change perception life enjoy fast paced show action acting great love lead character saw movie villain good role get used lovable problem solver premise series fascinating watch around care unique concept great acting love learning micro also enjoy cal crazy first scene episode one favorite series la n de se en quiz al en el de telling deceit politics marriage cal lightman titular lightman group se la de de la n la la n de en mi n la quiz la mayor de lie en en de persona n en en la al vale la de la la thesis good telling entertaining certainly understand side human detail worrying mean eyebrow micro intricate watched always great see shame got thats way goes good get axe crap stays probably best television show available prime insight people communicate either truthfully deception acting good first season worth watching challenge see many written begin repeat think show thought provoking intelligent yes sometimes get bit outlandish television plus love based actual person science would recommend lots interesting waiting develop process slow continue watch see good characterization situational study human facial expression mentalist way due arrogance sometimes displayed lead character show worth time change running took moment try got hooked stop watching series get better goes along cast excellent different multifaceted great plot gasp worthy great see another good original show coming second golden age great series watch good acting everyone watch people closely learn tell witty unpredictable nice see carrying show nice range interesting plot thus show intriguing wish gotten ax house fun watch learn use analysis controversial strong show seem foolproof straightforward though field high degree confidence nonetheless interesting premise good story wish show still bit sad full suspense think body language tell lot never watched finding say reading people interesting good show love show bad three gave audience different suspense smoke facial intriguing series little tho could good little refinement worth trying series glad know true really make believe worth watching pilot excellent nearly come go like house sherlock rely power observation could well become text book political science class would recommend anyone lot daily news key interest high profile well lie fort instant recall familiar frozen eternity media script plot legitimacy also many variable interpretation point spoken lie verbal value convey elementary action fast loose give entertaining flash interesting new take overdone police show theme nearly every female actress show drop dead gorgeous part unrealistic know watch see ugly good show well really ex wife love learn human series real nice insight lying interesting premise still used psychology law enforcement well done group personal interwoven fun watch interesting show based reading micro facial show investigator read show deception whether someone telling truth actually works surprisingly good expect like would like find similar one first season got hooked wit fast moving pace like start resolve single episode easy gratification know authentic idea behind series find kind fun watch series life cause everybody matter able see body language first guess happening still interesting watching even though bit limited far real information could use better blow stuff talk bad ass weapon wash rinse repeat great show really good information kept involved little lag probably system show bit historian found great chesty puller general came life anthology keep coming order series really enjoy part workout routine one caution video exercise end scraped think yoga mat slipping otherwise like like video great us want side step follow silly routine downfall television sometimes cut middle set overall though well worth price see get one night decided purchase episode nice short little workout straight forward well good teacher session toil hour ask love go workout get gym plus issue training always slack overall strength resistance work help add strength resistance work need downside short full workout easily instant streaming multiple sessions back back kind like three reps circuit works great like minus often getting reset next set difficult check coming next hit pause get position set correct big difference yes little cheesy definitely get decent exercise price right feel like old tape like cut return break need purchase several however one segment enough classic aerobic plus workout total body workout easy follow level health conscious person many enjoy kept shape excellent supplement training regiment feel workout progress need least two back back three otherwise going reach plateau quickly supplement gym running routine smoked exhausted like rather entertaining show technology military interesting ways conflict much seeing hearing new coming line however series made huge script one best defence notion brought disrepute since infantry anti tank mines modern hand anti tank best defence implication one enemy could demoralize shown many minor determined enemy surrender despite air power brought one thing like show narrator supposed former seal trite banal apparent attempt make everything seem exciting exceedingly annoying really history war way provided overview virtual really understand strategy going leave original review reminder understand purpose intent series present way understand combat zone well done include original footage well information detailed necessary narration offer easily understandable overview want interesting informative glimpse combat zone combat zone person familiar series series chronology instead episode number interesting original footage well done narration informative add personal dimension well grounded military history series may disappointing like combat type series instead good one interesting watch much excitement much violence lot away real combat footage pretty cool show like lots war one decent ex military person area really good span world war really done well interesting old man still study war guess suffering senior paranoia wonder would rather play listen music sometimes still people world government trouble pretty good program still good think like show would nice see new true lot kind bad since still lot people way lots new material another great submission mike bill old mystery science crew really movie highly video good feeling would like actually take pilgrimage like also several people understand take type journey classic movie added edge also lot fun enjoyable experience hope see interest full disclosure video yet got local library hate return movie geek rule hate colorization case however really works particularly nelson commentary wise interesting trivia film check cool bit history also discovered way watch movie comment track turn closed read dialogue listen movie worth fan ultra cheesy cinema wise k like series quite old nevertheless comprehensive assume previous background knowledge since history regarding apparition lady amazing number specialized coming light documentary th mountain division formation history people knew war front line extreme always whoever high ground advantage battle unit take high ground hour well spent courageous beyond rest easy knowing side thorough highly watching trip made enjoyable interesting thank much look forward always night living dead even fun going along ride like friend saying thinking may even read watched trying find help elderly fear aggressive dog loving lady another female dog comes near upset actually mouth guy natural understanding easy way communicating video excellent work still magic pill follow lead begin get handle help dog whatever problem little information funny comedy recommend specially live familiar cultural scene area bought friend entirely around film deftly rise fall rise fictional director body work personal maturation interwoven help viewer gain insight director mind abundance humor sex movie perfect year old set nudity suggestion sex pornography business art form would highly recommend film seminal moment life buy movie funny movie dont think close soft interesting movie everything low budget film outrageous tongue cheek appealing ragtag collection none could ever classified normal surface preposterous yet given direction culture perhaps prescient us laugh screen also setting perfect offbeat normal might well city motto clearly made deep knowledge love city type people even police different couple hilarious necessarily chamber commerce oh heck maybe essence better film seen memorable friend perfect portrayal stoner communal nudist turns breezy lighthearted performance actor little meat puppet take bit seriously contrast title character director well many bit show line two generate overall aura one movie crew lot fun making check carefully sure aware subject matter watch type cinema subject well cinema thoroughly enjoy best satire leave wondering true intended fiction acting main character superb audience root recent underdog status movie good great rave certainly well done found subtle best cover reference acting found pretty good though times main actor made think bit director like satire easily offended seen share real looking something light hearted different probably enjoy movie come think appreciate give watch classic example ego run muck splunge funny sad time laugh chose film based frank left hilarious film made fun pompous film laugh riot way home vein spinal tap wonder us accept rating worse killing making fun enjoy good laugh watch film reading bad movie almost glad movie funny great story excellent job self absorbed director success get head eventually career life control wife best friend artistic muse enough see error ways redemption masterpiece yet new york film director visiting film festival popular work fun funny send less well known film less well known film celebrated satire happy part real nice surprise uniformly good video wanting learn early adult video photography might partially enjoy movie see hot sex action forget happening nude mild plot piece historical value really much plot disappointment finding historical viewpoint nonetheless enjoyable non serious way movie great laugh hotel glad see get recognition would movie dont mind nudity wife see men woman buff good time around four star flick bone mac user movie might appeal otherwise difficult find meaning come surprise two mac user since actually two blink miss guy standing holding video camera right near beginning keynote speech quick shot brother harder describe hate apple want tell half comes right community get satisfaction helping someone new platform nearly anything else alone mac people seem friendly willing help seen good look today live almost good really movie story well enough hold attention movie nearly scary original scary movie since avid horror fan light either way movie well made well well thoroughly want date saw originally came old subtle corny enough keep laughing old time movie theater b series even worse flash could better k skewer great job especially caught give away secret learned lot brown city boston like also good concert footage movie influence brown people one man squash potential riot must see performance one favorite truth bad even mike save said constant right target host good better average hey k fan want miss enjoy even bad still pretty damn good future war pretty darn good hey jean van damme like jean gosh darn hate episode glad k still prime instant view future another reprehensible film atrocity seemingly custom made mike bot lampoon mercilessly unintelligible plot something w wobbly rubber silly guy around fighting w karate z dar maniac cop painfully humiliating appearance bloated lumbering almost much bear rest abysmal elephant turd watchable k vision view otherwise could result slow death wonderful work crew movie would absolutely unbearable watch blast time still one favorite time mike nelson crew peerless gave four story bad robot pretty good general hospital beginning pretty good quite unexpected miss pearl bobo brain guy though future war great typical k stuff watch let foul mouthed street nun time traveling boom watching either hate fun life dialogue poor logic movie plot love satellite love experiment week real cute card board good way boy screen film future like jean gosh darn nun assortment biggest loser fight cardboard dinosaur forced watch crow calculate many times lady gypsy spoiler gypsy disappointed times lady turns mike eight times lady also mike lesson forced perspective crow servo realize never really pearl killing take moment thank pearl interrupting attempt kill hey super funny would recommend binge watching otherwise two episode star flick would call poor man jean van damme like less riff comes early show jean guy fighting shape pudgy android mostly throw empty cardboard mike battle peaked high school overall pretty decent episode crew turns fi lead comedy gold gold plated lead anyway like terrible film case science fiction film killer trained attack used hunt last screen film us add quirky commentary top end result considerably modern start k sort show within show within movie format like review episode order give final rating movie wondering never movie even though late better special effects acting movie get tall one scene tall next smoking nun used drug running prostitute several factory apparently air need proof great bad movie per movie crew film would shown k still shooting host first great pearl crow save show really funny end constant steady race kudos mike several good mike presentation ending movie overall bad movie funny funny top classic one better pretty good flick quite funny smoking cube work really well together fan ice cube pooh style movie love one ice cube mike make movie magic together plus spicing beat good product movie watched terrible hard enjoy usual still funny making fun bow people strange end era k era shifting one deranged villain another even change forever satellite love must watch devastatingly bad movie somehow got two half even inexplicably got cameo classic science fiction crow mike f suddenly umbilicus satellite meaning adrift space without air turns f lost moving mother pearl bright side giving film watch film stop motion turtle lose arm cannon desert found sullen slacker everybody terrifying looking apparently prostitute slacker revenge everybody ever made life miserable weapon turning crazy green mutant k snark really turning point series transition pearl satellite set adrift mike seem hugely worried since happily trot watch movie make fun fact gave two half cinematic get silliness making fun science fiction crow style mission monad annoying cousin nomad mike briefly becomes captain trip edge universe surprising usual snark delicious oh billy musty scabby chest back fat especially point horrible dialogue undercut subtle nuance wiener joke coke produce placement end era mystery science theater remains delightfully weird example make even dull poorly made fi movie entertaining stuck inside giant bong turns ordinary mask people shirt never ending pool party like sort thing well never ending joy make secret hate ready laser blasting know mutant turtle certainly one favorite classis series mystery science glad see episode available stream prime remember movie first fan awful best movie k best part stinker movie especially conversation ship ship superior first little slow worth watching hilarious must watch funny movie slightly dialogue dialogue free time make watch cold beverage join fun never seen without mystery funny see show movie hilarious pure mike gold classic k take complete garbage movie make enjoyable experience get wrong love mike nelson great k took host show lost little something transition good episode exuberance energy bad obvious story line one better k course movie bad easy make snide scene pool hall although nothing plot anything else actress movie used watch mystery science theater younger job times good deal crisis negativity surrounding nice way break negativity especially watching company watched recently help laugh time new wondering heck thinking still good laugh always healthy eastern try hand language strange werewolf movie set us west sort martin sheen brother werewolf funny sending fashion also weird hair seen one never make laugh k sort show within show within movie format good look part one part ruin entire episode movie even though movie basically movie since like character development plot camera lighting yes man turns monster plot case five men turn five different already used first thought mad monster mad monster strange yes movie bad although nonsensical funny enough make slightly watchable last two mike crow hilarious like pearl movie one word introduction effort used make outstanding good job mike start end course fun pointing monster one character hair different every scene overall classic good episode great k episode prefer film least somewhat coherent plot use word coherent loosely since soul pun intended k truly awful movie one coherent movie group run angel death would ever get maybe saying much expend lot effort trying figure heck going instead focus commentary really hilarious throughout definitely movie stick one worth episode also worth watching surprise visitor mike get host episode seen top host time want miss hi may wondering martin sheen well turns vastly talented yet less brother thank satellite love mike unwittingly celebrate th anniversary k frank show help watch another joe film schilling train wreck wearing acid washed jeans night running seen better worth sit time take movie make watchable movie expect basic la bad cinema come expect right got nice girl boy across gang least trying soul plenty one see coming long honestly death improve anyway fun one keeper k sort show within show within movie format like review part episode good bad part save ruin entire episode movie late movie group car accident angel must take else mean real fake version sell bad hair check bad music yep acid washed jeans course chase mean constantly running angel joe slow constant pace course always movie bad one capably made k move good pace minute hospital elevator chase scene near end host two big discuss want ruin surprise say one wish would broken traditional format would given time rushed shame k fan prepared little misty eyed truly wish k would elevator chase could spent time crew one biggest constant use cultural got half always felt like missing inside alas time see today younger might feel mike current topical originally shown remember super bowl shuffle love trust know feeling knowing crew laughing overall episode watchable movie two unforgettable host gave episode based following around late constant stream funny making episode top however born show went air make sense least good episode first attempt v book good author succinct well easy understand paced fast enough clear think niche want executive summary video like keeping track video player worked easily first time resolution full screen bit fuzzy many full screen wonder plan kindle let view well read sure price point right make want read full book plug end gave feeling sure pay view another glad experience would expect one warren miller admit favorite great watch get ready ski season plus pretty cool see ski inside movie always warren miller movie exciting skiing riding set great music also information great ski ride around world good way spend couple warren miller always lots fun love pretty much k stuff one particularly bad movie made love satire commentary usually bad running commentary actually enjoyable watch doubt crew new life old old science fiction like humor love enjoy frank later one decent though outstanding comedic mesh exactly really matter lot movie made sense perfect material k crew spot movie like snail riding back turtle really slow turtle one old b production yet cheesy fun able watch brought back good late night good lots popcorn year old grandson young watch every morning appreciate unlike many message movie get way message pretty much let story reveal message instead face second better first one year old daughter absolutely jane sad short enjoy really like song definitely worth segment tab song screen couple instruction song verse chorus beginning segment part song straight broken smaller teaching end segment instructor part straight slow normal speed structure useful since type video going back forth lot actual instruction displayed picture picture window fretting one window another window typically fretting window large window tiny would great except manage switch show large window fretting small window crucial times would want examining fretting hand anything else bad point instructor great job walking song however complexity goes chorus teaching ability away goes every fret every string perfect still remains one better learn play song instructional seen video every beginner intermediate library lot fun learning video warning mac video service mac friendly video either assortment consumer video playback cannot video mac watch mac user find disheartening also extremely annoying type video due around unable connect server error sometimes get around work turn decent tool pause video tab screen use grab utility screen capture tab open set internal record straight part song export tab print file listen play basic classic guitar three pretty comprehensive lesson around get tablature get high close um good luck post ur successful mastery bach let us know dude director gene award winning hilarious quest length much different equally provocative feature film atypical comedy sex trouble romance quartet disparate group young exploring come falling love film cast sex city entourage better luck tomorrow one hotel offer countless sex nature men provocative smart funny feature film debut volatile unpredictable dynamics modern day romance four experience love go touch human heart define contemporary relationship woman ex one night stand wife husband enjoy man verge young man unusual encounter beautiful prostitute stellar cast sex city josie kip attraction trouble romance entertaining glimpse comes love men always endure trouble romance goofy funny show parker stone romp bush first year office little exaggerated top presentation overall fun watch depending sense humor find laughing shaking head many ways many watch little time seen among series either funny poignant informative plain interesting episode killing expression mad hatter story team dying lightning accident wore metal mind deaf woman driving hear robber holding rear door poignant yet funny time guess would interesting read reluctantly rented daughter watched interesting see careless people comes safety many seem though really could stupid half believe yr old twin series love watch anything related watched many times well worth price love watching basically composition almost well feel overall fun light stuff watch educational though appropriate content son lot dinosaur nut hot lots skin also made laugh times best movie ever worth look guy die end mean fell water guess die nice k excellent sampling best work fully divinely executed wish would spoken audience know music divine go wrong barney house fill joy dissolve barney well thought biggest strength lighting composition within frame look film nice medium noir great contrast colors bold pastel never framing beautiful shooting interesting fashion use novice somewhat apparent think style lot early employed technique fact felt acting style fit tone material appropriately exceptional quality production technic type opinion practical dealing blade overall good video martial artist easy follow make must bong advanced excellent reference use add repertoire learn different approach long staff quality great really bad opinion watched old could barely understand times possibly due hearing loss grainy video judge quality work since know quality original say movie easy watch understood every word unusual acting decent plot good era almost every old movie plot exception minor thought knew end wrong large number old spend time searching one pass right price story line heart tug mystery action fan heart tug worth time watch often watch old multiple times would watch one later nice see everyone else real people first thinking getting movie highly recommend purchase pack way bang buck way really film plot female radiologist living pretty posh life cute sexy accent happy loving family one day exact replica driving street driving exact car flat get get even soon start unravel longer trust family know generic really want tell give away film dripping atmospheric tension fact could even say lot tension little action would argue looking adrenaline movie gore screaming running find looking lots crazy imagery nope aware action slow burner however slow ride primary engine movie atmosphere watched entire time wanting look feeling stomach going end well everyone involved give major credit though contemporary metropolitan film shot dark dreary colors sometimes bleed together music eerie somber great job especially though surface character aura character tad emotionally something amiss life even everything truly go hell whole lot much unfolding plot around character going without word every actress could carry fortunately one talented gorgeous looking three main enough action clear happening liking ending understand first two lot tension dread lot horror movie payoff however horror happen found scary disturbing also impressively done slow motion replay physics car accident hell acting superb atmosphere carried without regret also bit unclear happening first thought knew real head however ending personally understand people say raised way guess know know satisfying sometimes know eye view ant know anthill suddenly getting know life getting turned upside enjoy creep factor horror action limited payoff good glad alright movie pretty decent thriller like nothing much head spin plot film reversed people look mirror see reverse image look x see heart wrong side look recognize also broken later even broken people hard review film way discuss plot may spoiler reality even watching completely convinced know exactly say considered alternate universe idea evil perhaps everyone one would argue infinite least exist different consider old purgatory know yet idea ending least dispel latter still sure former film mostly city tube mind gap could think watching especially lead life fish photograph rate mind gap surely advice heed often especially lately also really color palette director chose mostly cool cold blues set mood tone definitely fact psychological thriller like pump constant basis sick slasher least thinking man woman film suppose even though convinced thinking much good really going maybe round give b effort execution let decide minor recommendation many broken well done gripping suspense ala compelling excellent stylish rely gore blood elicit strong fear suspense foreboding beautiful like ending little abrupt unanswered left quite satisfied watch date though interesting show lot action attention great twist end wonderfully dark suspense horror flick standard evil without gore heady ensemble cast maze story hard predict plot best cartoon even better movie much adventure travel world shrine funny informative worth price interesting premise actually watched movie accidentally another movie title except th movie virtual reality movie video looking work video good information glade video collection good especially first one entertaining probably see footage outside village small town look like right street nice change pace clean strictly business tone recreational kick boxer watched thinking would great workout sure something could home sure great avid kick boxer three see often fan would love seeing especially short summer brown cute collection mood one solid clear gentle art clear could easily intend review great self defense exercise give insight able kick like lee historian archaeologist associated foundation archaeological historical research series ancient times modern history perfect course fill left education advice excellent although dogs used obviously know stuff well novice dog puppy respond nearly quickly easily also little disappointed think immediately phrase dog whisperer short well video easy understand basic training good video dogs easy follow dog training guide recently bought puppy wife video pet adoption provided video able successfully train little shepherd provided video detailed explanation number properly train good also video multiple number different dogs rented video dog training video find spirituality fascinating belive know concept catholic church psychiatrist understand overall video good cover depth taste simply hilarious series forever child rob relatively clean humor mostly silly awkwardly funny excellent show one best television today rob sense humor make almost anyone laugh comes honest real place comedy plain works sure people may think show seriously funny wrong get see factory made skating crazy basketball ever seen go thrift store buy romance seen contest prize exactly watch show reward quality instead watching idol dancing overall two disc season good could little bit longer good price nice decent mix messin around factory family day day money aint problem worth walter fine actor versatile stage film always joy watch special horse movie horse man additionally nice see man true stray best movie well done horse movie love ending movie expect sort like program three beautiful say people would want watch unless baby soon watch relax think simply great concept start appealingly fan soft enough pay fun ride recommend similar creator genius genre watching show first season genius concept shaky start definitely one hell ending echo dollhouse via mission rescue child showdown ultimate man thousand rogue active alpha flew fast hard looking someone would wish money power one hidden needs joss decided try dollhouse disappoint disappointed two like seen far much concept character persona episode great always wondering going next fan joss always great job leading role start unaired original pilot watch watch couple first half season straight episode chair progress watch joss master handiwork also unaired epitaph one finish concluding fox screwed joss sigh joss never second guess sigh great show would give set five first five drag make wonder watching buy enjoy reluctantly starting watching thinking would hate writing premise strong cast gripe way season ended feel painted corner final carried less satisfying second final season concept interesting sometimes acting great far good enough overcome first five dollhouse rather slow moving must agreed saw show starting get amazing fast first written way little plot viewer could watch almost order way people discover show already lost dense mythology show said get sixth episode show back actress alive echo episode six comes along begin see rest cast getting show becomes ensemble based less star vehicle highly dollhouse second season next fall fox story inside story inside story inside story although supposed retain past last episode dollhouse good show potential great show shift style joss joke heavy fun black slightly serious tone slightly touch still clearly present show show divided two halves one significantly better first half season episodic individual episode til second half season mythology show really high gear final good joss show much say watched series working seller received set timely manner big fan buffy joss took get show watched first episode totally hooked sometimes easier get show set watch got lost show way got past first episode got hooked definitely new concept fun intriguing great action story quite good buffy probably par firefly better definitely better angel really love seeing amy acker like character also cabin also great fan joss definitely show check entertaining series starting figure going plug maybe knew going along given enough time get price especially solid bet big fan joss came dollhouse first season knowing expect joss first usually start slow pick lot end dollhouse case fox actually forced joss make first three five episode stand bad idea really best especially first season people still getting run watched season first five definitely slow enjoyable pilot first time around episode little last table sixth episode story arc appear really pick last episode season edge seat shock maybe bit fan expect another joss show much much new world show undoubtedly get alum appear show include alan firefly amy acker angel also look day buffy horrible unaired season finale epitaph one show nice blend humor action sure please give chance idea series delighted different figure happen next always plus really enjoy concept show although love season admit season lot better opinion especially half season care season episode epitaph first felt left open watching season epitaph wrapped nicely epitaph sierra victor performance really good truly think season really world joss season finding nice direction build top season problem way came perfect condition like way organized simple clean efficient pay retail price especially considering series cost around retail value contain double amount bought never even based pleasantly especially bonus episode took show interesting direction hope season interesting first definitely joss fan general although blindly love everything said think dollhouse fine addition stable basic concept new onto willing quite provocative although fully end season like many said show time hit stride later generally quite good episode spy house love easily favorite plot structure multiple parallel quite interesting various well done end satisfying fashion want watch show high production probably pique interest wade mostly terrible early dollhouse highly easily show promise miss mark probably acting could better still cool show cast beautiful great story never particular joss fan although rather old west space concept firefly watched mind enjoyment escape awareness dollhouse able watch pretty much without least new concept something done repeatedly every season every channel every possible permutation since late mad props original rather creepy premise enough intrigue viewer much revealed begin pick possibility somewhere secret enterprise order rich connected whatever mission purpose somehow become feasible assemble personality specific skill set living human casually erase mission accomplished handful live pampered luxury level well mannered four year old overseen guardian mysterious executive level manager chipped glass accent set woman mysterious facial scar brilliant socially inept technician know everything world load human soft wear human brain added driven agent searching one dollhouse circling like mean streets might think series kind mission impossible new old old old plot week week along fifth episode story arc kick noticeably viewer odd unexpected turns fact going actually rather complicated intriguing sense something going necessary keep plot week turning one struck handful must absolutely relish chance radical new character time sent completely different turns speech time world color bland black white inside dollhouse dollhouse far better fox treatment show would remember firefly glad second season tie story line quality ray image superb seventh episode joss dollhouse different feel previous strongly recommend watch order since back story plot build episode episode plot main story dangerous situation college campus use except echo still echo central plot learn lot back story odd episode us different side dollhouse series good last episode series come together form interesting series place contemporary la people anyone various cast still able give personality make care last episode post apocalyptic world almost everyone turned doll civilization love joss work thing would suggest watch last episode never last season like otherwise love whole show season comes cancellation dark angel oh wait one also lots fun season one much like notable joss dollhouse first find footing pilot stand alone either uninteresting slightly show get back track episode man street first season buffy network learn plot arc e exactly dollhouse much vital single plot episode voice reach greater greater feel strive learn along development sierra saunders furthermore fox dollhouse around important moral compass capture interest considerably slew morally gray dollhouse well agent fantastic need time grow show would find much better success character family driven direction much like buffy angel firefly final comment let us forget buffy angel achieve critically season give dollhouse another season fox us favor watch dollhouse buy twitter little hearts give show chance genius mind joss know great potential always like concept first season hard swallow still season overall interesting story line lots good good set little slow times worth watch great grassy keep guess next show recommend must watch let connection caroline know crime still understand maybe something beginning otherwise enjoyable dollhouse tough show review love hate relationship joss watched buffy firefly horrible surface show ludicrous attempt science fiction fact upon first watching dollhouse thought rip brilliant movie people put torture cube might say stretch premise quite similar group people used unknown organization devious like average fi case dollhouse something one watch couple really bad acting dollhouse completely dollhouse either turned gotten attention really begin dissect show initially felt dollhouse mix confusion anger towards loosing hour life rate four reason stayed show also chance watch vampire slayer collector set gave insight like buffy show get fully develop till later season ago found studio fought develop show forced create first also like buffy viewer realize world dialogue supposed zany understand echo viewer must first watch buffy see faith trust necessary dollhouse viewer realize complexity show like massive network provided top potentially massive operation please forgive review mess hard review thus would recommend dollhouse people watched warning must provided ruined dollhouse dollhouse must buy fan buffy angel firefly serenity common course joss dollhouse like nothing else given us interesting certainly flawed yet appealing keep us wishing star show every episode different character main one echo majority story someone else sometimes brainy sometimes kick little ass us faith wait supporting good add show complicated sometimes nice add color excitement set unaired pilot opinion every bit good one unaired episode epitaph one seen set good ending left set well worth money reasonable begin would may joss even may know show originally supposed air fall back winter fox network like original direction show going make action sexy several first five kind weak find way incorporate fox originally supposed dark cerebral show although one really great first five target ghost gray hour pretty good really kick though man street season finale omega weak finish spy house love also amazing set comes two extra original pilot fox true potential show show one season overall much first thanks fox butting midway smaller budget boot good show give joss fix sadly firefly great concept could little less get wrong enjoy view story soap opera based true e secret filthy rich real people attached show would never leave q people would getting cloud buffy still main character show creator joss much show original run feel pay attention every episode far character sounding like idiot taken context actually organized business raping induced well wonder happen say pop made bloom youth desirability five standard dollhouse contract really survive lot sex crime amy acker facial veiled type responsible character reed diamond character alpha thorough deep communication disguised girl action figure ridicule impossible much thought experience went making something pointless familiar wife made watch firefly sick flu immediately hooked time creator buffy show erroneously thought time teenage boy wrong went back watched whole buffy angel together great experience work everything great drama needs good well great writing good story rich mythology good understandably discovered long haul new show way wife religiously tuned miss single episode dollhouse like first season mostly hit miss even firefly consistent work great thought undeservedly mid season first season mistake fox seen fit duplicate dollhouse thank god great show think best yet come magic felt unaired season closer seen episode understand fox air second season virtually impossible think thinking season probably picked season given chopping block decided wisely air episode great episode season mostly better goes along one best far mythology goes probably going hard fit canon show without giving far much away unaired pilot good plot wisely scrapped think perish thought fox show great service return drawing board inspired come something bit better little much given away season opener retrospect works much better distributed throughout first season highly recommend show unaired episode simply cringing anticipate operative pun intended word cringing premise behind series big stretch even enjoy science fiction however willing accept well series great acting fast pace quite enjoyable enjoy joss works particularly firefly enjoy dollhouse ways anything new especially anime fan young woman memory past slowly ground also fighting ways really interesting exploration identity soul series really find definitely worth getting point biggest criticism would show acting little times several different seem much alike acting written fact hair often really change character character acting definitely course series even biggest fan story well worth watching especially alan hilarious insanely talented joss one reason something else fun exciting always hint background touching everyone inner paranoia dollhouse show exception formula concept fabulous certainly think twice people television bound feel bit yet fascinating part reason show fell flat however acting writing worse acting fairly one dimensional episode comes mind belonging season season really fleshing think gone third season would found groove gotten better chance think one going must watch following like little upbeat somehow think little close come kind depressing actually oracular depressing metaphor technological culture may even worse said made season must good story well good production fair admit fan horror genre either joss seen anything like fun unique concept interesting story great echo actually good show though hold much hope beginning slow beginning actually took finally get however anything else watch ready third session kept coming back dollhouse finally caught glad stuck review like recommendation stick get past yawn part see worth hanging rest need summary read star think good enough show fact like sister show fox fringe got flashy uninteresting start mid season really get good strong final two excellent unaired episode last disk brilliant actually like see movie based unaired episode love total beyond series great casual watching episode fi aspect good dollhouse interesting concept store personality anything someone else personality brain sent various depending request patron initially fairly enjoyable series season one going would allow successful season two alas case season two came halt way top lead loss enjoyment huge fan complete joss vampire times desire watch series soon saying want note objectivity review one enduring urban dollhouse underground establishment wish fulfillment rumor dollhouse people k whoever whatever dollhouse incredibly powerful wealthy clientele assignment said kept placid state original erased urban true dollhouse influence far deep steely lady director altruistic motivation sinister surfaced gainsay elephant room alpha doll inexplicably went berserk dormant state group defenseless dollhouse doll survive alpha killing spree echo learn something special echo alpha supposedly perished dollhouse security supposedly another running subplot federal agent opening episode already dollhouse chunk season though time groping dark fellow meanwhile shadowy seek bring dollhouse show pawn head programmer echo new handler think new girl girl even person empty hat stuff rabbit echo key central character story piece piece little little breaking dollhouse several begin act outside established curious echo resistance fight stray past life past begin seep back season one fourteen chronicle echo evolution tabula rasa someone measure independence self awareness much regain dollhouse lady director house balance second season dollhouse still collapse awesome gray area television sigh relief found dollhouse getting picked second season sure hopeful since impressive hell everyone dollhouse trouble finding groove first five pretty much tales possible exception gray hour punch sixth episode man street finally start rolling story really build momentum good joss finally found clarity able move forward dollhouse mythology smattering lead sexy sensuous whiff something dangerous rebellious good actress convincing smack even sing heresy admit find turn thing never thing joss said dollhouse straight action thriller may disappointed kind show strictly really get steady diet bad although get wrong skull cracking echo always get super spy assassin implant sometimes fellow sierra get episode put different assume various echo good vegetable turn becomes asthmatic hostage negotiator cocky thief blind cultist backup singer perfect even dead woman comes back solve murder whole range character however find echo blank slate sweetness childlike innocence come think wonder really like core begin show really interesting rest cast uniformly good point remarkable agent commanding presence physical intense yet sort soulful plus training comes handy action fact best fight scene season dollhouse man street echo barred skirmish admit first found story arc plodding guy getting anywhere case first came slow tradition ford joss hire worked alan firefly day horrible sing along guest starring season summer recurring role show however may deal losing amy acker angel horribly scarred saunders one like pilot happy town picked unexpectedly show many dark paranoia conspiracy sexuality objectification one sense identity technology course morality play joss intended dollhouse thought provoking controversial times uncomfortable part intrigue never quite know kind episode going get sometimes got romantic air sometimes funny sometimes pretty creepy episode away layer layer point realize believe lot see surface joss mind television audience got preferred although heartily recommend anything man street yes man street good joss finally sea needs us glimpse true omega last alpha seriously deranged em access past epitaph one one two unaired set bleak post apocalyptic future dollhouse technology set loose onto world hunt intact joss epitaph one network thirteenth episode also joss intended one serve either teaser future story capper series worst happen meanwhile third episode stage fright worth singing one scene bonus time season one set comes twelve plus two unaired disc epitaph one original pilot echo echo enough never seen material make worth watching could see episode audio commentary three ghost joss really fun man street joss epitaph one joss brother jed happy couple wrote commentary track sometimes engage playful talk also really fun whole gang brief nine sierra bounty omega disc also following making dollhouse around long casting two made well look epitaph one coming home almost reunion joss staff warmly glad working finding echo magic hot pizza joss friendship led collaboration dollhouse long designing perfect dollhouse joss giving minute tour amazing dollhouse set private engagement cast crew share dollhouse hey joss doll almost six long boil really know end thing dollhouse broken people desperate escape urban legend shadow corporation worrisome place attic psychopathic doll whiff romance probably determined much agent also espionage martial god real long feel wholeheartedly even dollhouse joss reality warping thriller messing making us like dollhouse us want sit tune make uncomfortable time treatment way prematurely yet another excellent story joss know fail huge fan dollhouse glad getting ray set soon available show great like every show days either hospital show crime scene investigation show reality show family based first bit painful show really end season reason partly fox first sake new surprise fox call dead wrong many people lose interest show last great season two like wait see season two glad josh wrapped one tho sometimes wonder attention span cocker spaniel series typical joss work lot room develop fully thinking dollhouse similar sense anyway excellent acting story watch projectile vomit still want marry right although far firefly joss work series excellent left wanting end season better progress season see future intriguing complex story crap somehow come back year year refreshing see intriguing interesting show like make joss expect best course potential greatness see launch season good science fiction series excellent see many different people little found looking forward season probably someone working real dollhouse super rich first pretty engaging watch fan buffy vampire slayer angel glad added dollhouse collection great getting see original pilot episode extra episode epitaph one joss shot never also special good plus definitely something worth watching season dollhouse got slow start several early great lot interesting however second half season picked well worth fan dark character driven science fiction seen still gotten around watching buffy angel dollhouse cast chemistry funny one scattered amidst action drama crazy plot hate think spin best thing television go without saying dollhouse dollhouse season wondering whether first season worth time like dollhouse split one common complaint see within dollhouse impossible attach people feel erasure end episode viewer connection admit someone show beginning may true wish people watched one two would hung bit sadly responsibility draw good news first several plot see primarily echo starting exhibit regression either previously even personality doll first idea reveal lead time another fault opinion show drawn hung onto hit ground running nevertheless show incredibly well find drawn staff dollhouse personal also originally give season star rating last two episode give four slow bumpy build pitch big reveal alpha along strange wildly rewarding interaction caroline echo dollhouse personality another body time mind alpha echo episode revealed another facet people call retain previous one point pseudo caroline body multitude existential question one echo say caroline shrug something else simply echo mid season even keep reeled despite somewhat formulaic nature although joss may entirely confident full scope series incredibly creative mind highly adept writing made show may underdog possibility living grandeur astonishing x men buffy vampire slayer series show little rocky know emersed great story action mystery philosophy theology plenty turns along way bad cut short story could fully told play multiple still believable sexy one wonder pharmaceutical capable mind control one ponder either way good show two diverse human existence fantasy free oneself losing right mater cost premise show farfetched one enough money one fantasy filled one cost give identity five get back used fantasy resulting serious debt like science fiction mystery fantasy show watch show beginning lost lot fun enjoyable watch prime fun probably would even given show shot joss glad series many stand alone strength series stand mediocre best fact actually tried give show luckily wife stayed long enough pull back turned around one episode plot show really got intriguing ethical complicate good fi continually overall good show potential much better note time review yet seen final stand alone episode release approaching dollhouse caution first episode excellent yes show desire far like every desire something regardless lead scientist dollhouse manipulative amoral character good operation within trying discover shut operation joss storytelling good make bunch river tam butt like firefly show portray sugar coated humanity man ugliness fallen world far approach caution handled tastefully saying family show watch anyone struggling pornography first episode main character echo sent two different personality first hired buy guy pleasure weekend one scene see dancing super short butt cheeky dress reference kinky stuff weekend see short clips mission subjected sit sensual second mission echo smart negotiator sent bring back man daughter nothing objectionable strong talk pedophilia one squirm disgust bene say objectionable talking cause typical man imagination run loose violence fiction killing bad year show even premise intriguing joss paired disappoint first mainly filler fox thought would easier grab audience plot driven early great target gray hour lucky true believer stage fright little reveal echo becoming aware surroundings episode six story put comes face face proof dollhouse really exist later learn interesting bit super sweet neighbor one filler believe episode smack dab middle plot boy great clearly best opinion acting spot best two part finale take breath away ridiculous totally caught guard came one actually doll totally mind blow short series truly better every episode starting number lot joss really know make good perfect course series perfect angel damn near hopefully amazing angel pop dollhouse petrie drew goddard show like seeing even knowing end strange concept fun story line entertaining bought set order get unaired pilot mysterious th episode much episode great unaired pilot also interesting see used unaired pilot th episode excellent unfortunately commentary th episode awful worst ever couple passing around bottle wine back rather listening scene certain way got like oh wedding dollhouse pretty good show way better watching another cop show doctor show thinking bought series based price good addition collection great premise solid acting maybe intentional either way fun ride way wish watch th episode never nonsense favor skip one lousy second season never fan buffy angel sorry firefly see another show already much better first made think would willing sex much complicated surface show even begin touch dollhouse real mission get real workout series victor surprising talent one suspect fantastic one point two wonderfully victor real one goes c close tell one real one talking open uncannily accurate hand scatter genius hate say dollhouse even better firefly want give away dollhouse really rent watched bet back buy really forced end two rushed story line riveting first count setting stage probably network first kind mediocre best episode improve become interesting see couple though really engaging compelling say buffy vampire slayer little kind humor sometimes though anyway entertaining get past first might enjoy really like show interesting every episode taken direction see going keep story line long echo doll could surprise get way going use space bash creator show least make effort get name right common courtesy moving live bought set without prior knowledge series colossal past particular firefly serenity way could make situation feel like happening outside gave us dollhouse set great great package supposed happening instead viewer guess fit also scrapped pilot echo along really fun thanks joss also hit miss season really want like show grown since first opinion really good man street spy house love see stage fright even remember premise watched last week totally see tone later stand alone story arc minded revolving around dollhouse along good switch hope next season actress pretty cast supporting role think would gone much smoother show beginning fantastic premise leading lady opinion stated harry amy acker bomb also awe miracle beautiful average girl show prominent character also guy bold move sir god double digit sized everywhere show although wear thin little much shirt please please give brain purpose made look like total end season hope used wisely season set really good show improving greatly series much potential want become another fox casualty like firefly keep good work wait next set come like hi tech related genre old electrical engineer alley episode always plot great actress always love wish show really really like show amazed could instantly change different persona also victor hilarious course like underlying concept forced went men also thought season ending well done interesting throughout like way always viability technology could pop technology reality two course many trickiness continuity overall one watched wish prime many great show actually good mean dollhouse good simply worship shrine therefore cannot tell real deal lot ways shame show beginning get chance gradually develop right instead show sustained merely admit fan watch even shaky scoop beginning show learn woman caroline agreed personality storage shady organization body highest bidder various see involve sexual fantasy hence dubbing perhaps something personality order complete sort high risk spy type mission lot negative refer first five yes first five mission week surfacy disconnected really journey series arc character growth ultimately make passionate though first five highlight season instance one episode homage short story dangerous game based quite chilling concept got darned way let talk show episode incidentally theme episode similar unaired pilot episode release awesome joss idea show excellent instead seeing sexual fantasy hokey club let face something already kind money paying start see needs fulfill thing even though approve start sympathize even begin care one place begin see brilliance fascinating challenge show continue present bring show gray area unclear might might shaping character driven ensemble show extremely talented cast heart show identity self without memory science ethics human exploring root needs create show also need fake person save could possibly given away first place dollhouse exist people program story set worth especially unaired thirteenth episode epitaph one without giving much away little like matrix serenity dollhouse style great joss much say episode conspicuous much say episode oh look people pretty hungry right exactly expect especially given amazing unaired pilot episode show little bit alias except replace awesome little bit except replace doll little bit lost except replace island dollhouse lot exploring essence humanity individual identity grandiose metaphor assuming show breathe grow full potential even thought provoking heart breaking butt kicking entertainment trust want miss ride addition review less well known show outstanding season buffy vampire slayer angel calling amy acker angel alias guest may recognize firefly buffy horrible sing along fox press release season summer firefly terminator angel buffy vampire slayer dexter another series josh starring gorgeous young actress already starred buffy faith memorable addition great series lead character echo series dollhouse rich cannot really compare buffy due different series focus one really get grip initially approximatively suddenly series focus becomes strong many ways ber geek cast stunning fantasy tales one must felt buffy genre tried deal mature commendable initially fail mainly clear story beginning also case buffy first episode right action however case dollhouse kind introduction would also mix serious times distract completely first second disc afterwards becomes clear overall good series absolutely love show smartly written something different fresh unique fantasy everyday people love show quantum leap instead leaping another body personality put host active bad series year contract like lead actress buffy series premise show interesting subplot keep series moving although date thought provoking actual past jarring alarming want see absolutely show fox half way first season remember seeing even intriguing watch show anything regular love plot echo also victor wish show stayed two series slow towards latter comes best definitely worth watching prime series good one worth time timing seeing last year able see extra much show worth seeing interesting fi series josh work like season currently working season two think unaired future episode would good ending series first absolutely love show really shaky start show much potential boundary science ethics constantly viewer mind good bad awesome concept took time get footing last half season fantastic looking forward rest said part reason bought usually buy watch particularly get unaired episode epitaph one fan show need see episode set future post apocalyptic la mind technology many world essentially small group find safe stumble upon dollhouse discovery various give hint lead point episode awesome incredible fan series got watch rest unlike buy unaired pilot short enjoyable think worth epitaph one enjoying series back alias days main character great agent much mostly due poor character development would recommend enjoy fi science part interesting story love set design sleeping love joss every show enjoy one different fine watch watched josh seen three entertaining grown attached yet interesting series watch want watch series cost ray comment length commercial break area would ran us broadcast break run bit longer series ray sure slightly annoying otherwise would given set solid star review fox encode sons anarchy way hope one time mistake sure please series dollhouse well structured journey action drama satisfy watching single episode series whole echo role sexy tough arse kicking woman fantasy desire whilst also back childlike innocence guessing premise show clear soul never stripped away people matter social must put public private never loose core series tad heavy times without usual tongue cheek comedy come expect however overall endearing keep hooked final scene dollhouse exceptional great special two full unaired plenty well made easy navigate small attention product four feel getting continued experience money watched first couple gave dollhouse would develop something quite deep thought provoking based box set glad dollhouse brain whatever personality client may desire may vary sexual partner federal agent basically anything goes little evidence morality lack morality provide viewer plenty skimpy clothes show rhythm little superficial start average show really something real depth upon revealed find little seen date first thought show identity ways one fact first rest actually dollhouse various involved real show gains momentum like first time viewer harder harder watch one episode famous th episode broadcast sure broadcast whether extra studio decision unique view future world society broken due use technology used dollhouse glimpse possible direction might taking dollhouse could view might occur interesting interesting nature critical season season dollhouse clever thought provoking series tragic cancellation midway season least whole season hopefully opportunity properly close dollhouse well worth catching highly took several show still course show much ensemble piece show way reflecting acting show works better way wait finish second final season great show good plot shame given bring back pleasantly find dollhouse filled action mystery overall story line one episode another twist turns keep coming back learn dollhouse little weird times good watch like finish two joss must thing killer series college aged girl woman echo futuristic escort service though prostitution service dollhouse genuinely believe whatever client peccadillo good fortune one imaginative series seen watched whole first season weekend also around technology run amok theme remember idea comes play well big reason like series development get past first five first season see series really come focus taken echo character really take story line great watching gradual moral awakening brink worth time put series echo character interesting series goes good thing since plot gradual self realization interesting thing happening screen ability produce material ensemble every character weight show simply hilarious spoil fun complaint program film exploitation exploitative naturally show escort service going involve heavy breathing skimpy clothes early contain silly simply getting main character short series worth watching end second season even better first dollhouse joss best work start foot hard time finding strong central voice within first however found voice dollhouse took vengeance left new installment although airing dollhouse enormously faithful first season considering next day hulu strength also weakness dollhouse content matter put somewhat simply dollhouse disturbing question technology wipe away soul dollhouse centered around shady underground organization stable vernacularly group people essentially personality one dollhouse needs specific client dollhouse done correctly enthralling disturbing extreme comparable involuntary operation illegal servitude true dollhouse establishment true however display way almost understand character masterful storytelling almost misstep world dollhouse viewer practically needs someone hate luckily readily stepped plate character root echo dollhouse popular active beautiful natural science dollhouse echo within easier doll house echo however beginning become self aware raising question anybody truly lose personality become dollhouse leader remarkably talented blank slate first meet caroline woman echo doll ever tried wipe slate clean always see also go alongside interesting dollhouse one hand interesting character agent man verge complete obsession taking dollhouse even though refuse believe alpha active composite event went rogue insane slicing way freedom murderous rampage alpha unhealthy fascination echo goes boiling excitement show exactly first five aside one two shining fairly lackluster engagement week way one considered something although watching echo increasing self awareness gaining interesting hunt caroline interesting hard follow show clear beginning could miss episode two miss large amount information also focus almost entirely echo large highly talented supporting cast almost wasted amy return television saunders positively shine times outdo fellow thankfully explosively fixed much sixth episode man street love ensemble cast finally shown breaking dollhouse free mold strange mythology rose show second season obvious direction go season man street twenty major social political gaining strength episode making use strong ensemble cast mythology episode dollhouse gave spectacular penultimate episode briar rose somewhat anticlimactic yet deeply thought provoking finale omega although dollhouse best exciting rich history possibly important carrying weighty soul personality true strength man humanity machinery billed fi dollhouse also something philosophical adventure filled enough exciting action bank even alias adventure highly exciting episode spy house love well old fashioned knock drag brawl restaurant kitchen suit action dollhouse also full social political sleek science fiction even horror dollhouse easy pin categorize bottom line although dollhouse shaky third episode back singer truly awful found voice final filled enough thought provoking turns ensure eager return next season one active twenty powerful social political world dollhouse fantasy purpose must find purpose one certainly looking forward purpose dollhouse season good series plenty action main character cute see p entertaining little follow however u want continue watching end worth time really seeing series first used catch every often bit repetitive really like lot yesterday true dollhouse second season cause celebrate first season difficult one show hard see evening people tuning fox probably looking escapism drama difficult superficially dollhouse like latter dollhouse wonder show goes step human dollhouse wipe personality put another one brain still body put personality another body copy simulation come fore last couple broadcast season fortunately firefly alum alan performance funny blood chilling culminate remarkable fascinating series seven seemingly tawdry concept dollhouse shown bigger sinister mystery first agent twice told needs discover dollhouse hidden purpose far season good news bad news first five bad really undistinguished part blame apparently fox five start getting deeply arc allow tune start series without feeling lost idea watched echo problem went elsewhere second episode echo backup pop singer especially disappointing hardly distinguishable sort tepid stuff industry turns bucketful give first five three seven five thirteenth episode epitaph one broadcast watch dollhouse like buffy angel firefly course similarity show different intense feel farther place intriguing situation rewarding explore course quirky fascinating mostly grey area least enjoyable engaging reprehensible stuff typical escapism something thought provoking worth repeated overall show watch weekly halfway season one blend episode running creative idea theme looking forward season expect much show alias matrix season finale bit much wish series continued epitaph bad none season one lived potential unaired epitaph one season finale big fan joss even best creative misfire buffy angel much beloved firefly bring buy dollhouse instead used digital service view epitaph one wrote bad joss found much deserved fame since perhaps see sequel serenity yet good writing good acting story telling great every show left wanting know would happen next bad appreciate prime streaming none compelling overall pretty good attention sure guy find though really love dollhouse wish fox continued show past season unfortunately seem catch viewer audience hoped although fi series real relatable character development show acting also superb feel lost audience times dark without enough mystery intrigue plot show stop go writer seem unsure wrap plot lack fluidity suspense one episode next unlike first lost cannot help watch next episode constantly leaves wondering happen next dollhouse much resolve within one episode could easily continue minor feel show could huge success concept fresh execution impeccable dollhouse show eagerly mind man brought us firefly really looking forward show first episode interested knew would need develop first half season dragged little character really drawing second half season away actually wish epitaph mid season run show made big deal fox teaser might made difference excited got second season glad lace little way going tuning every week trying get give second chance cancellation word came sad gone wait add season collection great young bad series joss last much past first season lot potential secret underground organization dollhouse people apparently volunteer kept storage five various delight wealthy first saw dealt possibility dollhouse technology used unethically continue life eternal whether soul mind leaves show action throughout first echo main go girl battle rogue doll serial killer rolled one alpha main focus suspenseful thriller though slow start imagine joss wanting expand original idea originality never fox forte went air soon first season final unaired episode may somewhere widespread use dollhouse technology fall man apocalyptic written detailed think well worth watching concentration rely get whole story feel one episode stand alone great show another rated series joss full original great witty one classic banter read talking took several get show took two first episode left little flat end episode two hooked concept tell anybody could doll doll could anybody got leave joss come new original bizarre concept make work time favorite show even favorite joss show one season way firefly fortunately given second season finish story whole worth watching say love like lot sex feel many much feel gone remember someone else series sad last long condition came happy dollhouse season like tried enjoyable st season like futuristic old alias series garner probably like dollhouse secret organization human exist emotionless state without memory connection every need taken care regular exercise five star cuisine series proceeds learn people agreed term dollhouse point desperation point want disappear emerge memory past entrance dollhouse nice amount cash organization agent determined find free episode based upon main character echo superbly one popular partly comes creative casting excellent group unknown change character body language accent convincing us inhabited dollhouse miracle one surprisingly curvaceous woman television romantic lead kudos bit iconoclastic casting note harry echo field handler head organization agent whose performance clint impersonation overall series thoughtful exploration thorny ethical issue voluntary slavery play doll rich without immoral premise casting draw focus morality going adventure fantasy moral element nice issue josh continue make powerful times strength overdone explanation given muscle memory perform hard accept great guest character would back story comes later season concept behind show people volunteer become people erased inside entertainment use one remember previous life destroy dollhouse show great potential concept given long enough develop truly glad though cancellation enough time finish story great gift many series get chance always leaves disappointed buffy angel firefly josh definitely ashamed show bit needs acting sometimes downright silly show stylish sexy really orphan black least thing produced side canada pretty conservative even though show certainly cleaner many still would preferred less sexual discussion innuendo otherwise good acting writing intrigue mystery keep attention may sound kind silly really stick around episode show finally get good show doll week concept unleashed fully explore realize underlying philosophical moral dilemma full play wasting time episode six leading jaw dropping conclusion come care dollhouse even though rough acting early end top game glad coming back second season sure watch set well first half season though kept getting intense engaging end season rating outstanding good really actor way pretty face many series make quite different type series different put test solve particular mystery episode good portion belong affectionately call cult belong cult continually trying make drink successful entertaining horrible figured give dollhouse try since least interesting thing far begin warning fence season bit get first episode main general gist show run quickly meet echo woman doll blank person variety think matrix crossed alias episode episodic fashion meaning theoretically skip episode two still understand story always central situation one personality satisfy needs anything sexual tryst excitement danger obviously fine line dollhouse brothel basically unfortunately dichotomy really much afterthought biggest complaint series far thirteen felt really much meta plot plot outside episode individual thread relevance episode everyone kept telling wait halfway point people pointed specific episode man street new information comes light admit good episode thought turning point kind went stagnant sure good job filling another thin layer story felt dollhouse struggling locate niche going another law order type show focus individual case going working toward overall mythos episode briar rose probably best episode even though found terrific terrible nose briar rose metaphor almost painful handle eye rolling fashion seen poorly since beginning college writing seminar couter balanced great story something pressing finally unfortunately great setup fell apart final episode season said true final episode season complete game changer epitaph one absolutely fantastic season best even episode would completely sunk teeth made excited series continue type thing fox needs air discuss episode would invoke major however absolutely fantastic worth price admission alone direction want show take honestly everything felt like retread alias way hot woman different people ach episode working shadowy corporation basic synopsis series epitaph one maybe yet swishing mouth hopeful season two dollhouse discover potential could great show warning like may want avoid disk un th episode original pilot also un good th episode may want pass entirely place future major rest series also may want save un pilot seen material used various throughout first season making pilot one big spoiler fit rest season still quite good worth watching seen season rest seen think find series intriguing moderately paced well written well yes done occasional cliche unique total package quite different anything come regular various grey good evil lot background mystery appropriate reveal show dark mysterious mostly serious drama occasional humor show line good bad may want vet younger watch overall enjoy dark immediate future science fiction show well worth look series joss celebrated writer director composer except one work hit web show horrible sing along attention dark shadowy fox corporation fox wipe joss brain make forget worked mortal fox make joss whatever want everyday activate joss set work making television series dollhouse everything works fine show flashy cool sexy disconnected unengaging without real joss complain fox even spend much cash technology fox used really remove person sense self soul works episode episode becomes apparent joss remember knowing draw attention fact works slowly improve dollhouse within episode man street brilliance begin save show superb episode spy house love dollhouse become gripping funny dark touching intelligent complex people thinking joss even able help people taken fox actress end series taken place little beginning give dollhouse end joss improbably winning renewal second series time revenge people turn flawless piece work start show past season faced much critique joss dollhouse maker buffy angel firefly horrible alike second teaming highly pilot found wondering joss finally lay egg went like many convinced dollhouse worth watching later learned first bad fox interference something fan took joss thing unfortunately took stop personally decided wait came season ray get back boy glad series echo one dollhouse basically dollhouse found hard order help dollhouse deal get use set amount time exchange taken care dollhouse essentially copy mind person save turn brain blank slate various fill variety hostage negotiator assassin unlike people limited set dollhouse become anything perfect spy perfect trophy wife first put frankly assignment week almost nothing plot enamor us fox around fifth sixth episode joss vision show control rest season full drama one cliff hanger next shame dollhouse long even begin good news fox going good joss prematurely cancel show network season confirmed story theme latter half season definitely going must watch given dollhouse chance negative early show start pick give another shot world crime scene cop medical dollhouse refreshing breath fresh air hopefully fox season disc audio video like many show ray dollhouse video mixed bag one hand far superior presentation release quite level movie release sports p resolution transfer colors definitely high point release bright vivid realistic looking throughout shadow delineation also good black best seen release bad pretty clear least big chunk show noise reduction artificial make look better problem becomes obvious many finer seem textureless even human skin appear smudged close still superior worry much audio however may problem master audio surround track sure sound like times yes effects score tremendous dialogue times flat almost hearing side room window rather right thick leveling music effects dialogue also could used work found frequently play volume jockey intense hear speech action wake sound effects three awesome available two unaired minute behind special first unaired episode joss original pilot surprisingly fox version opinion better two mean joss worth watching though especially want see detail future show get look premise best watch finish series though many unaired pilot original end used later interesting see kept used later curb though second unaired episode best episode dollhouse also one best joss ever made titled epitaph one episode fulfill fox episode request fox later filled shot pilot set future post apocalyptic world freedom discover dollhouse fan horrible guild day also guest really relate series show future hope get epitaph episode season care many dollhouse see like even season well worth investment unfortunately special fall flat even joss commentary usually highlight boring help wonder fighting fox future direction show sure seem enjoying also four none entertaining none add show verdict really really glad decided give dollhouse another shot first four five start slow let say season like good sick seeing cop scene investigation crap time absolutely watch dollhouse verge great telling fox replace maybe new season skating movie score disc score overall score though certainly slow start become great piece television moving away echo mission week instead focus ensemble cast seasonal story hooked show made care despite amoral hope another season tried include joss new show knew basic premise assume everyone familiar echo agent whose personality removed new personality specialist inserted sent like couple times series draw unexpected exploded deliberately news though aware series joss back widely script coming watched trailer interesting see fox marketing show bought instead one start firstly great see mutant enemy far long absence oddly given history strange see fox back together point fox show persuaded joss create series producer credit ego stroking point involved creative side also joss working many cast crew worked apart obvious amy acker also jane steven deknight kelly manners zoic casting many joss admit production enormously show might like mission impossible scenario echo works agency least good assignment plenty counter espionage well like come long way since might account attitude dollhouse danger obviously potential lack empathy audience watched sure joss would want create show known dollhouse admit extremely disturbed sexuality first two fox salacious trailer get wrong certainly prude sex explicit nature tone particularly seem counterargument particularly given know joss thinking sexuality equality could argue first episode ghost deal theme child abuse later series get comment side show airing pilot included dollhouse pro e free charitable work help right start show fighting uphill struggle audience sympathy suggest watching pilot first get series premise much understand fox problem throughout series actually show much like prisoner able two surface level stand alone particular subject e g gray hour story capable underlying e g omega whether soul actually merely personality merely mind simply product electro chemical brain think prisoner two within episode e g general dollhouse rather separate first pretty much seeing echo number episode man street start seeing thematic dollhouse becomes subject show episode see jane brought consulting producer presumably help script well known buffy excellent show band candy earshot particular want overplay role certainly improve certainly get better first character motivation us background echo well much motivation boss expanded jane excellent script series really spy house love brilliant structure kudos writer great performance needs human need narrative structure life sense closure well art thematically phenomenon e g second life omega new theme inherent series premise brilliant performance guest star alan wash firefly acting quarters think mark considering play different three real dollhouse assigned lot shot sequence acting better expect show acting range faith yes get awesome fight see true believer proof range skill actress greatly admire character bit motiveless first couple act character slowly harry echo minder quiet solid core morality wonderfully interplay computer quite delightful interplay security chief reed diamond lot little new never seen competent rather bland role agent real great ruin production design excellent dollhouse set particular kudos like real environment almost much serenity set firefly rest crew good weakness spot rather unmemorable music though seen series twice however music buffy often sunk brain immediately watching originally excellent score serenity movie like show buffy firefly action plot firefly especially moral equivocation x conspiracy paranoia like buffy angel emotional character relationship might ditto interest purely magical supernatural keen firefly see liking however think anyone love show way say love buffy firefly still season one judge buffy purely first season assessment would probably going end review optimistic note appallingly bad final episode epitaph one dislike nepotism joss family write prove point main criticism hackneyed derivative third rate nature plot joss without giving anything away main unexplained nature show sure everyone like episode premise seen far many times much like juvenile adolescent male resident evil generation lot unexplained jargon spoken never get involved story know structure well thought like lot plot thrown board commentary sadly even worse future work simply join narrative problem series got otherwise series also run risk audience understand ordered fox pilot included little time money shot time episode hence causing cast availability vincent similar say worse nightmare prisoner episode forsake oh darling prisoner story afford go back stock village oh way tell making film solution though wildly original elegant joss might say easy even never written script came slightly better solution almost immediately compilation show reuse unaired pilot cut along great action already shot investigation panel whether dollhouse could final cheap need cast could read new replay tape prompt cut agree original final word dollhouse exist mysterious ending lock panel could either could whatever end episode ascend rope ladder season two sure follow great series good acting good good plot would recommend friend interesting dollhouse latest work genre entertainment man god joss grace television spend yet another first review paragraph borderline homosexual praise upon shall maybe little awesome feature film multiple works television genius time great comic one sensation general well reputation another day guy series hoped see starring never came former character full stood us entire season second starring vehicle work dollhouse may still outstanding intelligent science fiction show better television make count endless stream vapid banal reality story around character caroline echo life away anyway mysterious organization known appropriately dollhouse able wipe person mind imprint personality consciousness another person rent afford use however like whether want night perfect lover need world best assassin dollhouse place officially exist considered laughable urban legend society large one detective determined uncover secret expose world certain moral whether dangerous technology used even consent indeed whether even exist dollhouse work able see past echo personality week sexy sexy people form fitting clothing find fascinating work modern science fiction waiting unfold unfortunately may never get bloom full potential though fox intelligent enough time give show second season first season took get going ended really starting cook leaving many unanswered case unaired finale epitaph included get glimpse future dollhouse create mankind really get excited come course thing television tank top time going harm reputation supporting cast show end comic relief requisite lovable character show best plus active personality video game geek goddess fun awesome harry echo handler gruff cool thing going occasionally star active outstanding performance sierra quite popular within dollhouse must say stern woman control wonderful miracle unique quality cannot put finger probably endearing character show competition heart sudden oh rest alan amy acker day epitaph cast talent character development good one would expect definitely standout cool end day dollhouse fell well short certainly least another season say first salvo hell lot opinion entire season dollhouse epitaph never quite found comfortable flow previous works also episodic easy follow nature excellent previous calling show precarious position best may find hard get may lose interest also theme music seriously lame lot great rocky one insane potential first season alone could fuel several worth great revolving around various arisen could arise subliminally past supposed secret dollhouse potential immortality personality grafted onto another person body amazing episode woman solve murder unaired episode inevitable staff also ugly realistic aspect touched upon also say sleeper idea alpha murderous active multiple even though showing turned less awesome serious potential seen dollhouse yet please imagine future yet another cool fi show awful support check tell dig threaten fox terrorist necessary actually last one get little carried away sometimes show set every sort extra could ask plus awesome epitaph unaired pilot alternate opening series bumping even show going fi owe give one clean shot watching set guarantee want see something joss three dollhouse buffy angel start slowly season one angel buffy opinion far firefly awesome word go dollhouse going stopped watching three terrible worse seem like acting carry show like gave second chance general show got lot better towards end season somehow got second season glad commentary episode six episode pilot show episode six show mission week actual dollhouse far reaching entity really show big ethical humor interesting finally emerge sorely first five short episode six show awesome switch like turned within first three come back best yet come unaired episode epitaph one absolutely remarkable maybe away much future find incredibly thrilling dollhouse going never would many ways epitaph one lot like amazing episode lost get puzzle see whole picture hope joss chance show us whole picture like lost fact might one show keep watching anything wasteland television lost next year hope fox could handle right despite incredibly rough start show tarnish great name joss different previous work bit mature complex maybe little less fun still great storytelling love joss miss miss lost gone dollhouse also love alan every fiber dollhouse season solid genre show joss buffy vampire slayer firefly buffy firefly arguable best ever made dollhouse season match quality good action every week along strong female male compelling emotional show also interesting study exploitation dollhouse secret high tech brothel whatever client show people want addition action character also mystery humor sex murder cast prominently faith buffy star show even though season good buffy firefly enjoy show season unfolded believe want see watching entire season original broadcast bought catch series watching us begin enjoy joss stuff big surprise dollhouse lots easy watch joss fan looking something bit different occasional moral button doubt enjoy acting good round curious series go season giving dollhouse season four concept memory order fulfill mission far rather simplistic seem getting complex watch interesting science fiction series say past decade action heroine th episode cast quite credible bravo made best one still among better shown nowadays premise bit sketchy least learn dollhouse background lot fun get high come work look buffy firefly know dollhouse title put watching first show hooked got good story good cast good season many memorable strategic character one better main reason end could win attention season season bit get next episode must clear truly everything know joss written responsible air buffy angel something watched enjoyment firefly serenity truly something special cannot say enough horrible sing long dollhouse perfect think getting believe keep fox yet another good going great show instead new fresh hell reality win watch make mind season pretty different first season still highly entertaining last lead excellent finale show time enjoy really like good part better make part sweet revenge movie fun watch follow good production sound good acting plot would recommend movie anyone totally unbelievable story still fascinating structure suspend belief times due illogical still good mutually supporting second third tier story case cast especially lot acting exception supporting role sam entirely plausible film big character development reluctant weepy fragile hero head redoubtable character film moving good movie abruptly thought ordered another famous novelist probably one well known u world legal profession really dont want know times professional society ways end trial really dont know true guilty innocent human nature always displayed best problem much money system bad people play supreme court also bear problem mind often people put candidate choice simply abortion times may use word conservative usually pro life nomination hear anything else course find way crass really political process reason good word think used film necessary selection overall viability good candidate supreme court one time abortion find plausible writer presidential politics like novel want root someone like sports fan left many except character fact writer trying say kind way however known page turner kind writer someone know story another disquieting word novel legal system really type film since author plot real hero heroine part blowing wind character interest like hold interest life film one love smart people people win strength quick time white female law student black male reporter solve mystery save day first two supreme court threaten dangerously tip balance court due president appointment two different investigative reporter following story student wrote pelican brief sinister plot drill oil area breed two one another well supreme court must rule oil drilling surely one would evil enough murder right wrong decidedly liberal slant story adventure investigation cleverness courage involved make compelling story law student beautiful falling rapidly love professor additional complication stick lament old succumb terrible bad brave good quite movie overall one two two sides find stop turn disc rest movie otherwise like movie great story teller prose film one story man unquenchable greed two sided read description well dont like two sided product fine love movie long turn half way movie see talking dad phone could find pelican brief said problem talking phone went made order two days later prime door great movie great company great adaptation novel play well definitely worth seeing work becomes interesting go ways judicial system corrupted ways much darkness governmental structure film course young law student ability crack case pure fantasy especially given fighting appreciate romantic portrayal innocent underdog triumphing awhile good watch something good actually win end across globe corrupt government mysterious rogue operating dark surveillance state get past whispering good movie solid plot fine action well cut real conspiracy movie character relentlessly survive several life although people around keep getting end movie rather unusual somewhat believable way become good actor role cute rather coping unusual threat entertaining let start saying young movie came able truly appreciate however know long actually sit watch good flick good story good acting entertaining seen movie several times may watch couple said good film cannot go wrong two movie although bit still good recommend criminal justice anyone good based movie product used pelican brief movie somewhat put cleaning machine couple times would play without interruption disappointing turned well movie great need film decent plot good acting great fall back sure reliable pelican brief entertaining movie work well together highly recommend movie hello last month average month ago promise review great movie review pelican brief movie several past ago review take look movie never saw movie seeing would buy movie cause solid basically movie based book never read movie made million made opening weekend million full us run ended making million directed alan j directed president men never seen maybe someday maybe someday see movie darby shaw always found attractive pretty good actress gray president sam stump story assassin supreme court justice young lady darby shaw law school student look knew justice personally comes theory goes way white house cause president oil tycoon victor area inhabited pelican president would put court liking darby also professor brief friend f b around night darby home cause much drink bomb car explosion darby someone trying kill contact friend disguise cause assassin stump friend computer different stolen guy stop stump try kill problem buy guy beating big old boy anyway darby talking friend f b agree meet next morning man suppose meet next day darby picked unknown f b agent darby new york city contract newspaper reporter gray put brief darby gray contact find real name morgan works darby goes dead gray contact morgan wife information safety deposit box darby bank stump bomb car darby tape safety deposit box car good bit suspense especially gray trying start car trouble starting cause bomb gray need make run well done suspense stump chasing trying run car explosion gray darby get office watch tape morgan ordered justice gray around telling important people involved going go public story f b director f pelican brief brought white house record president told f b back let c investigate c agent save life darby taken country find show darby hideaway gray darby say darby almost good true final couple issue like beating huge guy issue early felt like early cut wonder extended overall solid movie well couple suspense well done likable see movie sale would buy alan j good job good good decent sam good job good job unnamed president great movie see lazy day watch nothing comes next final ago review tombstone good example power elite operate behind manipulate agenda cost although hard time keeping track people trying kill still great movie drama suspense good movie husband watch together movie great stopping irritating wish would smoother uninterrupted plot little complex need pay attention every detail great action music plot scary thought brief written law student could would start mayhem one wonder really goes behind closed government see anywhere turned side play half movie thought gotten defective told helpful flip movie finish never seen particularly single movie series think movie great thought would review product let people know defective odd good movie image sharp least closed important quite movie sam leading outstanding performance relationship law professor sam turning live inside quickly movie scene scene plenty suspense wondering come many hand mainly guilty trying suppress pelican brief theory darby shaw gaining publicity driving investigation towards may responsible political another dimension movie found interesting slowly trust difficult darby considering going around happening quickly like go lot detail plot movie ruin unfolding say towards end scene made cry although felt differently end movie know watch movie ago first came think gem one first ever saw one favorite course great everything love well movie stayed pretty close book unlike bit difficult follow first shady never know good guy bad guy help read book first still enjoyable movie great movie movie phenomenal stop watching extremely suspenseful scary could really happen without star presenced pelican brief might succeed two days bring charisma alan j directed version novel labyrinthine plot sometimes convoluted implausible suspicious government best known president men conspiracy assassination two elderly supreme court brilliant law student comes titular brief turn reporter help expose high responsible shameless manipulative plotting well find supporting cast ever dependable tony ghost presidential press secretary irascible boss chameleonic assassin friend mentally president wasted role agent read book movie intelligent entertaining opposed virtual fantasy preponderance recent day story star film worthy time ponder take two favorite story suspenseful true book great movie well done kept engaged action intellect would much recommend like style movie give little extra away thinking movie gripping story amazingly well movie watched several times particular dual layer version disk turned half way minor inconvenience thus watching year old film interesting see political early still us today power always corrupt powerful film tense provided nice diversion evening implausible nice seeing ago certainly aged much like one also enjoy client movie slow start rest story well worth time watch people around main character character left move unprovable one among several based firm client none great film three consistently entertaining storyteller little character development however also true many leading become involuntarily involved process discovery soon find harm way young law student darby shaw pelican brief without fully realizing threatening potentially dangerous contents could administration incumbent president becomes fugitive eventually gray newspaper reporter gather additional information needs literally save life time narrative along brisk pace deliver solid b damning faint praise suggesting although great film worth seeing time time unlike many could name probably care know excellent movie start finish hard please husband even one favorite legal action acting great direction excellent one best love ever seen near end deep emotional bond beautifully executed without sex annoyance turned see second half movie really could absolutely purchase movie power press good bad also government private education intertwine sometimes without realizing nudity super loud music also enjoyable get idea prude get really tired hearing time especially movie much issue turn continue watch movie great considering watched love suspenseful thrilling enjoy watching movie mysterious beginning usual great role reporter film great law student turns suspicious brief involve government traveled say great way one see dedication people make actively make world better place ivory trade elephant bold attempt save tiny piece one earth vulnerable saw amateur boxer thought would take look felt nicely done even thought little date enjoyable informative would recommend interested great sport boxing easy understand video although short form one idea form rather easily u martial art training kind know doubt u find form good learn yang form much easier understand good video usual stuff teach every kick boxing class would recommend watching learn confession fascinated sociological study millionaire matchmaker need help finding spouse right show realize rich often spoiled self maintain health relationship really comes sure several opposite sex meet list often long shallow time real work usually comes open tolerant giving going lie also nice see give occasional millionaire tongue desperately deserve love sneak peak real rich ways much poor rest us video watch get character trying create audition show excellent living normal watched play high class version close actual play yet entertaining enough keep high attention even though old difficult understand acting get across going scene read play since high school think left lessor probably keep notice version think complete version think teens would able sit shed tear end feel job thought version good know talking franco version niece watched version year high school never watched version watched one watched version great version stepped teens music spectacular really format presentation found helpful taught way could understand police arrest control tactics officer effective practical realistic compliant non compliant although information video would taught basic law enforcement academy information basic proven effective time time real world video basic quick overview following position close suspect try greater one arm length away increase reactionary gap stance defensive stance awareness watch suspect look observe suspect behavior contact cover principle one important law enforcement must understand video goes cover following compliant variety head non complaint gross motor work stress head shoulder shin press head utilization palm press transitional technique ground fighting side mount full mount rear mount suspect control twist wrist wrap arm bar arresting lock knife control reverse grip control forward grip control downward thrusting control slashing assessment police arrest control tactics officer definitely video watch arm little different may vary academy training facility short video pace quickly times sound quality best never time cannot hear said one note caution partner never training extremely important use caution many work head done incorrectly severe injury real possibility overall recommend video quote video case third rail driving loose narrative medieval origin torture mind human body twisted another tier existence major middle age art intersection religion might squint see anything overtly medieval torture abundance would recommend clip fan pan sonic experimental video good child watching sherlock hound excellent quality animation make fun excited offering st season least instant video cost fortune say though episode summary instant video name sherlock sherlock hound big difference dog since since going train used training back day knew guy went train make day video show intense absolutely flawless must say incredibly jealous speed lightning fast footwork precise video tiny hint dominate sport overall rated video video clearly mid late however bet tape could take anyone today second main coach tape legend throughout tape come screen kind tease see giving tape lot observation absolutely commentary good body mechanics learn well simple observation watch awesome third last portion sparring cool main coach beating crap lighting fast back kick offensively like none unfortunately like director film crew got tired really got bad camera whole bunch quick cut weird flow last really kind cool sneak peak inside great gym second quality video inspiring clearly art amazing body mechanics third fantastic must coach especially competition team basic kick warm footwork great lateral diagonal target awesome zig zag trio endurance speed circular sparring bad commentary throughout overall great video must style competitor train world class elite coach favor get video practice like definitely see difference sparring trick camera break camera set class showing warm free sparring end season much better season great season currently watching season said appreciate learning navigate female always male drama involved something said honestly remain true throughout time particularly one individual must say touch authenticity cast place group bound need resolved evidently theme time personally adore find personality character nonsense type woman admire also real afraid fess pain also afraid cry key need positive role albeit comical nonetheless look forward watching spin show wish nothing great success know continue make format especially since broadcast season broadcast target place purchase get home find format stupid annoying like fill full screen dont like change setting get distorted looking people know days video divided days one town another plan view make upcoming trip familiar yet movie around region showing cultural high modern ancient architecture tour rather countryside well shot beautiful pleasant watch good information well really good narrative good job showing diverse beautiful various trip summer see helpful want visit never movie overall usual weird self come quirky different decent movie watch anything else blockbuster likely ever anyone time favorite movie watching would recommend great role always every role really genuineness character life like lonely life mentalist times year get day built loose translation impetus someone great something really lived however one gift like person one would share public one entertaining love movie top still attention really well really need say add surprise feel good movie really sleeper worth seeing synopsis buck magician claim fame several tonight show twenty odd past small rural longs one last shot big time one appearance tonight show unable face fact small time talent bound obscurity lack success booking agent blunt new personal assistant colin anyone else within shouting distance however one special moment act always performance signature trick one ever found exactly could turn one thing might get another shot big time critique film great buck yet another quirky wall story tailor made immensely talented charm wit unique display make enjoyable watch supporting cast solid unquestionably one man show hence success failure movie performance fortunately involved beautifully good movie nothing like thought would huge fan really short film son acting gene without doubt plot movie especially collin trite upside performance put smile face quirky story buck character overcome predictable plot make hour investment great buck bad film great film either wonderful wonderful really colin blunt film total sucker voice narration story voice done well colin really nice voice troy gable colin son law school hired great buck road manager great buck old school era illusionist like story told troy viewpoint objectively relationship great buck road interesting one film work well hard time point fun interesting trip buck unusual man mean tiny key central idea might end story loosely based amazing maybe pleasant story telling illusionist love interest enjoy troy blunt worth watching concert sweet surprise end technically film done well nonsense jittery movement first half hour paced really well story along fairly quickly sense film end half hour difficult transition road story found saying move get film got bit slow halfway slow later otherwise better end ton film way many list enhance detract film film rated frankly remember much objectionable film younger seem film younger would enjoy though overall bad film enjoyable hour half amazing excellent viewer insight personal well professional life well known character still great movie decided check good make chuckle times also poignant well perfect lead role huge fan like one rare actor role seem perfectly produce entertaining movie buck failing magician loosely based amazing character corny charming transformation fate small town finding big break necessarily bring meanwhile colin hank son young man searching dropping law school ultimately movie slapstick comedy probably find laughing loud nonetheless funny breath fresh air stale utterly predictable found unable predict exactly story going would happen next buck hopefully like forever since real good role could stretch mentalist back stage dazzle story quirky sentimental tale overall sure colin bit portrayal mercurial temperament got entertainment value energy talented interesting actor wide range always look never disappointed great buck perhaps great great film fact darn good movie light amusing movie refreshing kind sweet film style want pleasant film experience without violence good bet excellent especially great buck cameo real television lot fun well way make something might think would interesting hold story wondering great buck proven great interwoven perilous stage career buck story young assistant trying find way world face parental disapproval really delightful movie sort edge chair right last scene bit like favorite year ways unknown movie worth watching good dramatic substitute amazing pretty obnoxious tonight show many ago whose story told dramatization rather touching times big movie worth seeing good watch beginning end never get tired movie funny surprise movie charming story magician assistant fresh college drop real life working temperamental man people charming story great buck hope movie taking never knew likely ever know colin great buck low key performance troy gable law school dropout work road manager mentalist buck tee gone sixty tonight show half empty theater one could argue troy gable quiet demeanor state shock desire law career could trying please temperamental egotistical performer whose celebrity status show business v h format home troy yet figure life buck get back top goal return tonight show want give away much great buck buck want give away significant climax nightly act audience money make performance fee buck sacrifice find troy gable search yet identify buck attempt return stardom young man wandering older man mission film one memorable eye contact movie seen great buck leaves viewer decide one time one simply take pass see great buck could give single reason see great buck would one working today probably best known bad guy least angry guy role buck different side one completely delightful colin troy one day quit law school intent becoming writer support troy must find job opportunity comes along form buck mentalist magician dirty word prime tonight show times great buck small even smaller troy becomes buck assistant quietly observing man seem realize days great behind simple low budget movie anything profound say none less kept thoroughly blunt jay troy father go figure round principal cast despite solid show yes type certain amount joy got watching role buck faceted character really get look stage persona troy buck well us see passion frustration character even barely man absolute marvel truly one living film great though character study laugh loud comedy even original even predictable however enough charm wit warrant buck great character delightful little movie cameo almost worth price rental great buck great much like fictional buck show disarmingly funny charming amusing grade b enjoyable story interestingly told great buck simply brilliant movie funny quirky corny sad heartfelt times little cliche really go three movie almost everything aside strained secondary inferior mean comparison mean stood relationship blunt weird know meant weird believable acting scene good however sticking ended liking tone comedy story lot trailer basically whole story movie deliver watch trailer say seem like much movie press play storytelling great story bit slow times overall lot among many year huge one week doubt movie may sought film also leave many behind get store time copy instead take risk watch something bit human bit funny bit sad watch great buck never seen film said tend take space around country screen complex time may caught premier night ran colin troy gable young student college lawyer future father sent realizing desire live life la searching job meeting great buck search new road manager buck low level celebrity side life one time notable performer featured tonight show times regional half least people recall glory days moment bask glow celebrity come buck strange character mentalist touch magic buck hard staff one loving crowd stage take hand one instance throwing game bit buck genuinely people stupendously always ending signature trick someone hide fee night stage locate audience even though character centered title story troy buck troy time life trying decide writer little life experience gaining buck town town buck dealing overindulgent uninterested media many forgotten troy buck life comes blunt press agent sent handle buck special event attempt get spotlight troy become romantically involved catastrophe around corner buck place people trance unfortunately time jerry springer involved accident moment comes one see word slowly buck suddenly becomes big one lewis lyric hip square buck suddenly finally chance go tonight show rise decline well left wonder happen great buck become troy well make coming age tale kelly jay leno colin real life father troy father man law school scene comes real genuine testament involved especially movie may big blockbuster release week film entertain delight us recall great days tonight show enjoy note film least stage work based amazing director writer worked road manager love character buck dare anyone walk away film feeling affection little known celebrity trying work way back allegory aging everything one thing well would like widely bet feel kinship character end size much enjoy like bob going whether popularity else good movie year old year old probably favorite role fan good human interest movie would love compassion toward someone luck love lime light life two dazzle summer blockbuster even pyrotechnics criss angel show great buck movie delight anyone fan great b enduring fondness showmanship like amazing real life inspiration character buck c believe possibility magic importance following heart soul movie portrayal great buck whose enthusiasm love town life matter small town stage colin match great screen charisma likable enough performance troy dad become buck traveling blunt griffin dunne jay supply additional star power credibility funny sad magical unfold special include behind interview amazing great buck charming breezy fairly family friendly movie nice cast almost old fashioned far great movie yet quirky originality worth look buck mentalist fact act based amazing hypnotist mentalist magician frequently talk like buck fading star however half empty mid sized around country audience mostly senior clearly remember guy days shore show act sort dreadful yet sort amazing colin troy law school dropout writer job buck road manager film buck tour works achieve comeback quite seem get likelihood dim enough think career great shape become best third rate celebrity think needs one piece great publicity rocket back stardom movie bumpy fairly unsurprising road mostly charming make worth watching excellent art costume direction looking like father time dad nice performer one day probably cut star series excellent guest stint mad men troy something blank get occasional voice narration would really struggle know inner turmoil troy going script reveal much film mostly observer blunt always welcome publicist get buck national exposure also predictable fairly chaste least screen romance troy always welcome presence briefly sort driver griffin dunne cameo appearance even two troy father stretch producer film doubt influence land film plethora guest kelly leno two really funny listening core film still remember amazing credible actor could play weird make believable long ago sunk weird time buck almost return glory days script slight really give us idea going inside buck persona man relish real sense fun exactly believable character mostly seeing buck shrinking public wacky charming enthusiastic prone petty anger able charm men alike never even know sexual orientation buck even though speculation film guess lot inner turmoil might feeling much like character troy truly story somewhere writer director apparently interested anything emotional insightful fluffy piece bad quickly overcome take subject matter lightly exactly feel like conscious decision make story breezy great buck big smile mild recommendation said movie family friendly virtually bad language remember rated relationship blunt mostly hugging kissing get must sleep together sitting bed necking fully see child older willingness see film outside ordinary might like film might find merely puzzling curiosity knowing big tonight show might detract fun filled thought provoking film would watch road good great great story great buck near perfect grinning ear ear ninety euphoric title character ego driven mentalist loosely based amazing told buck moniker great none late magician tonight show sixty one times heyday career humorously troy gable colin law student narrator tale pass promising career attorney serve buck road manager move great consternation young man father nicely cameo appearance colin real life dad part inveterate con man part grandiose showman part purveyor home wisdom folksiness buck turns perfect instructor young man eager become wise ways human nature p would reduced smaller entertainer par excellence really work audience ego gratification profit short figure uniquely lone frontiersman entrepreneur probably half selling half going face popularity ever shy turning magic unexpectedly mounting full court media comeback satirical affectionate paean world show biz bizarre inhabit great buck witty flavorful script stylish direction talented movie also lovely performance blunt publicist troy potential love interest number well known lee kelly among make brief material every gesture facial expression turns great buck savvy combination egotism bravado humility pathos one minute impossible slave driver next paternalistic mentor one minute clear eyed pragmatist next dewy eyed visionary sentimentalist ability seamlessly meld contradictory instantly recognizable utterly lovable character ultimately great buck richly entertaining experience time finished sure movie title character soul searcher colin think end care either way watching special aware well nothing less always nice see even presentation average throughout literally two three adequacy everything bit better color clarity majority indoor plenty grain special would bump could give half star film thankfully cut extended mock interview included separate feature rightfully cut short also unfunny easily irritation someone else would screw behind painfully usual great everyone minute blip showing awhile leaving supplement interview real guy inspired buck quick talk film everything stage right anything else made exactly test suffice mellow evening rental one supplement worth watching bit quirky definitely one anticipate film lead afflicted however motion picture significant lack muscle car chase dangerously low firearm every time buck shook someone hand wife compare incredible burt likely inevitable comparison point prefer movie character obviously lot fun fun sentence reason believe mine first ever need break next honey marathon favor watch fine specimen cinematic entertainment colin play troy gable law school drop becomes road manager great buck flamboyant washed mentalist buck small colin buck unpopularity buck caricature amazing blunt publicist love interest troy minor role troy father film rather shallow predictable us quirky character questionably gay sadly colin charisma unable pull great performance spite short performance film f sex nudity good fun great buck quiet slightly offbeat comedy great buck mentalist live performer decline effectively film story told viewpoint law school dropout troy colin working mentalist past prime road manager buck career troy writer charming publicist blunt character buck loosely based amazing whatever fact may superb depth insight film thin story material like would fall flat lesser actor life character buck easy person often difficult always demanding turns one dimensional caricature fascinating even charming character really care amusing well great buck deeply flawed film problem becomes clear great buck screen two troy concerned father cameo troy romance uninspired uninteresting writer director voice explain obvious remain unsaid great buck often typecast bigger really right material unfortunately film tried something else troy coming age story sorry honestly interested watch film great buck well worth first time computer worked fine second time want load slow kept fine could connection maybe used library computer view film nice least gay parent sides talking four movie growing tape movie broke found movie granddaughter hooked like detail program trade shaped dynamite chord back five commercial cut program back cut much background given blasting scene blasting lot bang buck went like clockwork show go also amazing different used history profession might also helpful well wish provided background two regular got line work main nutty great sense humor enjoyable watching interact quite good fear time going start looking alike never get tired seeing building bridge silo tower get blown think part passion result degree control explosive exhibit almost everything reduced rubble twisted metal exactly right spot even story office crumble within new certainly worth since constant review get annoying actual story incredible wondering much math need get job right good clean fun whole family repeat bit watching come cool originally great able see well watch since gave watching every night prime particular series pretty good lot stuff especially interesting interaction among crew looking sunken treasure quite entertaining fascinating look people left ocean floor season like see program generally interesting however seem content fill time series would pay watch thoroughly program like history adventure great disappointment one season available sure long ran maybe would nice available st season show leaves wondering one ship found least four never story somewhat let well works interesting bit tease though never give want treasure treasure gold suffer flaw everything commercial break least flow show still enjoy type much watched one episode really good show glad see theres still learn something days hard find material interesting repeated information would commercial tiresome show time could cut third repeated used add drama give watch may end watching whole series interesting really miss time ae discovery history channel real like treasure quest deep sea far duck dynasty hardly anything worth watching entertaining educational fun single season enough left wanting longer always find fascinating hearing eye look like nothing series fact sea added interest exciting made season also watching various crew handling remote diving submersible jerry rigging interesting enjoy watching underwater video photography great hunting interesting story entertaining enough keep watching though much fear factor original become pretty young woman late fashion evident well general watching movie finally discovered make computer movie experience almost comparable via television accomplished simply monitor prior convenience movie little dim monitor bright enough movie watching monitor normally text setting easier reading web occasional short video suggestion try monitor setting sequel exorcist film nearly good scary fun entertaining glad disk original ending saw theater since studio ending original release daughter horse mad watch anything expect like series drawn know little professional horse racing unknown try work way well known handle pressure top entertaining race footage well behind footage see interact fascinating think race job like go office mine little drama like reality appreciate also nice show family friendly watch daughter younger would likely would recommend chose racing found interesting also personal side racing jockey system works personal great pretty good racing like reality relationship done death like racing best running time story idea jockey career worked way show eye opening intriguing watch normally fan reality took chance one glad series inside several featured mike smith joe court stra mike smith already well established jockey hall recently came national attention rider joe already gaining recognition talented somewhat reckless rider competitive female jockey well mike smith court riding many yet really make mark stra young female jockey newcomer race track find take chance total season episode long usually one two contain least two see goes prior race day jockey personal professional although show personal mainly centered around racing couple occur jockey room curse part display good sportsmanship competitive give inch friend significant mike time demonstrate genuine concern one episode mike smith giving young joe advice bounce back losing streak season several featured breeder cup featured episode season well final episode season knew could interesting well worth watching regardless one riding enjoy really interesting look racing world go nice see race nothing say program daughter prime availability understand one week available prime following week please explain good product able watch cartoon computer toddler sure maybe cause book season dont worry going say leave negative influence little love enjoy show one better wish available prime daughter watching movie thought cute little movie niece really watching episode treat well new something really love believe many air never even seen single episode ago late night love show really great cast hilarious play well watched twice already nothing cleaning house weekend throw one listen cleaning still funny even though already seen know going say never much laughter life buy rest near future negative side reason give four instead five season short roughly half length two half men season checked two pretty sure length maybe seen engagement sooner like said order love show episode order fixed would five order speed shipping order took little longer product still came within time frame happy purchase product good condition though considering similar ilk watched via instant video found witchcraft entertaining enough boot make sure check continuity goof pause review car way cliff recommend watching witchcraft time favorite horror hotel available double pack also laughably abysmal darkness movie far better offering two shot atmospheric black white evoke least mystery real usual story roughshod developer old graveyard course long dead witch apparently buried alive punishment strangely undecayed considering spent coffin avenging desecration bit voodoo doll work making personal cause death destruction somewhere type romance two course back witch one family accused justifiably would seem witchcraft order usurp estate revenge way bizarre role sort leader long witch ordinate surprisingly good action interesting exactly print excellent bit fade fade nothing good later burn witch burn genre notice works well b w adequate outstanding expect real love movie much feeling horror hotel know another movie like horror hotel like one never like say movie totally bad good prefer viewer opinion film story line common love lost try acting needs give look support movie goes show embrace type life style desire live go let love stand way easy love anyone right way like ca h caper film starring jean jean jean works essentially nominated small time grafter whose brother sting actor jean best known great role la us professional portman first film nominated times active us pink panther code legendary grafter steal million south beautiful best known cruise rain man sheen hot hot part police lieutenant may may take inspector transporter series one little business nominated two times old friend actor impeccable know best role series rite head priest assassin amazing grace abolitionist film quick pace lots turns keep guessing addition lavish surroundings pleasing two female acting first rate charming caper type film sting operation several plot end entertaining sort response hill sting enjoyable con artist inspired like house tend reflect realism understandably gritty dark end without happiness flip side genre comical bunko humor place truth flip side truth often much pleasant flick reminiscent genre like shooting fish freshman screened huge fan jean also recently learned monsieur jean whose acting span wide variety though mostly known action would equate type actor equally adept believable many different testament skill stunning best actor c sar award nomination comedy unprecedented completely stunning event given notoriously snobbish film mad acting flick character handsome clever cash de plume man desire ability skill obtain copious folding money unscrupulous con artist meet match shape character man long considered continent premier thief consideration cash ego end competition highest caliber dueling grift put ultimate test best con man take score lifetime form blood diamond dealer holding nearly quarter billion worth shiny mineral notably men operate black market tough third world happily settle going yell take machete one chop mess unless regularly swim deep end suffering pool clearly typical ply con plan cash paying attention important never get distracted especially distraction pretty g like grifter favorite card game film visual equivalent three card monte meaning even make correct choice still lose great deal fun trying figure whose better game better ultimately left holding short end stick laughing funny thing middle ground either home run strike outcome make contact literally stadium recently screened half dozen franco premium cut excellent cleverly done outstanding addition grift con movie collection another movie trick fresh view watch look deep overall nice fresh movie fun film film win profess cinematic masterpiece time money kill could worse video learned time whole family watching necessarily night entertaining movie deliberate movie good sad see church ordered murder willing print publish native language church ordered people st time got read god word lean mystical presentation church really movie familiar accuracy time frame educational informative may interested movie historically church time king actually away catholic church reformation always important opportunity learn took stand church dark days may best science narrator plight however lot drama within last season leaves hanging assume supposed continue show may make money confident learned self control learned important life serve well life big reality kind person watched junk like ax men warehouse hope someone left holy grail one however show psychology anything else little involved adult know achievement big factor talent personality winner harmless see big problem full see big potential though afford reinforce winning everything fine however serious personality see pageant histrionic narcissistic point torture many quite overweight living force go bankruptcy little get trophy many times poor get way always child child disturbing teach everything money pageant win step everyone else lump together child different parent never caught episode may find hard watch find wanting see vile contest since product come quick worked well would happy personally find anything wrong although unreal would think story thin anything holden fine glad find prime daughter watched mostly read book lot behind shooting film particular role course reading watching film great amount nostalgia friendship actress pam screen king unusual amount rain shooting much film sadly shot indoors even outdoor obviously blue screen sad amazing location far story goes plot story mostly negative effect girl particular scene really excited local celebration bad thing may bit politically incorrect side personally think people lovely people rich culture sad see negatively time joy see fearless loving growing childhood running around north whole film mostly reading film apparently never caught received well course lion may mark beginning holden affair capucine star holden declared beautiful woman world sure equal screen movie though year later somewhat better acting second film seventh dawn regardless critical watched version film like well enough purchase version lion also acquired version scenery film absolutely marvelous story interesting excellent role holden certainly strong portrayal former husband father young girl daughter alright young actress perhaps first role though particularly lion human however despite enjoy film would recommend holden year old movie better new quite bit different book wonderful east let actually movie watch device attached made actual experience bit painful live learn old movie tell politically correct really get feel people thought love jungle movie feel like really people worse best little bit forgiveness understanding heavy hearts maybe movie gone wind however good family movie mainly scenery nostalgia trip holden icon got kick perky daughter story line rather simple split family remarriage father charge everything turns happy every movie real like think would polite nice watch movie full computer fire visual effects really show love way story set tune relate wish one season way could observe evolution character kingship watched last episode intriguing find series ended even though second series unlikely found ending satisfying complete conclusion worth watching worth collector item plot contemporary always full acting tremendous intriguing modern drama appeal bard would though instead mainly narration making series aspect bit disappointing especially prompt delivery received order days standard international shipping even though time course nights audience never course tell story modernize much watch allow homosexuality sex among human prefer quality television reality crap fact buy watch show season pretty entertaining product received fantastic graded retroactively comparison quite deserve love concept symbolism philosophical story show definitely show think said kind see last whole series st time since wish got chance see show great many middle slow times bit obtuse plot watched twice completely understand story trying unravel think laid clearer fashion know people said tried watch little slow kind agree could probably done unfortunate got last outstanding show finally steam series well written rare balance drama action intelligent dialogue entertaining first season also last hope true goes show people prefer entertainment series know would end abruptly many unanswered inasmuch naturally turn wonder intriguing well series perhaps stupid enough general public series frustration watching anything got camera time could watch work good overall story quite intriguing well unfortunately think second season well worth watching great unexpected highly viewer story king king son watching series cheek enjoyable experience fi type series still enjoyable cast well picked series well worth price awhile since watched every find thinking wondering would continued story sign good show given time people interested show sex homosexuality drug use personally find story religious person adaptation story literal modernization tale like made left part step cutting fit glass slipper original fairy tale make version less valid original simply different story simply based one although get many engaging love combination ancient modern interesting based series compelling hint something mysterious family political drama even fantasy check watched pilot show rather mother dad thought little mystical liking behind gruff know said love show really disappointed potential regardless intend enjoy first season hokey yes beat head symbolism coming someone recognize symbolism usually acknowledge said really dialogue sure believe well carried dialogue aplomb every minute great series interesting premise would went alas finish watching hulu probably buy introduce son far least one show skip make suitable easily one best like firefly never found big enough audience shame reason one star high ray disc version show great cinematography shown good story modern day king north see got besides easy concept get also television time president bad timing also hurt one see king time also show religious based story everyday farm boy whose bravery morality seat amongst powerful king basically alternate reality version capital like new york power politics play corruption god beacon serve ever corrupt king many layered easy get besides every major character morally ambiguous pure innocent goodness however loyal pet dog basically king thinking vessel god lost much family enemy country north similar russia war peace believing king one man achieve corrupt power hungry ultimately miserable however also charismatic somewhat clever making believable politician king king least capital city king heart gradually course show hidden second family thing happy still rather king hold onto power people really problem want think good guy bad mostly bad guy bad guy capable love still mostly evil selfish insecure spoiler kill second episode end spoiler becomes annoying rarely ever comeuppance rarely ever get see get guess kind real life power still leaves bit angry much get away essentially anti villain never way queen rose basic ice queen politician type mostly evil selfish good everyone like barely image family prince jack son whose daddy grow dark man however really evil king older sister next line plus gay ashamed princess well meaning daughter however capable independent much power family bail whenever often good optimistic much spoiled brat really much really fault rich princess love basically father celibate also kind tease opposite jack comes lot moral truly jack comes savage really royal assistant besides character good however survivalist basically good person whose job bad royal family heavy soul cross brother law corporate war monger basically young dick money power like little sister rose good world rose marry power cross money making allies cross real power monarchy reverend man god close power corruption slowly become bad without even realizing late save soul also two comic relief royal ex con son cross matter much written well later season post war better beginning still compelling watch entire world time get used sure season two would worth watching personally think would made better two hour movie episode season got still worth watching season finale kind annoying assume season two get course one year season three well new king crowned never get resolution spoiler never get see become king pilot rest series season two probably much anyway end spoiler also would nice see history got war russia ultimately open minded though worth curious show never got see following presidential election year checked well written great might like network television would never someone another review got one season wonderful show well acting first rate plot predictable written well great premise sadly left unfulfilled would chance grow might well one best network actually watched series looking forward cannot rate yet love use movie clips teaching even though one season pretty good retelling rise shepherd king st although hear lord television drama plenty retold mostly st chapter wish first season thought cast great well written many men could pull butterfly emblem still intense problem need story progression secondary given enough time develop feel like plot device rather person particularly religious bit skeptical goliath potential show preachy entertaining alternate time line rather trying make viewer believe interesting fast paced possibly knew low complete left one episode discover show show set world much different take little bit get follow actually good show right really get season wish gone season one better written era bad last story great new look old beloved story well picked part story believable manner hopefully new fall season equal caliber thank god jersey shore step right direction set high book like slightly better got set bod set think fair price might video company recession think want move product buy wait price maybe go see find never series great series although could handled first episode clear plot actual depth lot thought put series sad put end series without natural conclusion choice good series even expensive full season shown disc special viewer unlike show cram one quality course excellent already made set twice get chance watch find way watch one episode unbox decide whether want spend price bit high like quality television love show series great anyone type era time format perfect watch couple setting continue receive much encouragement exhortation every time watch never old never challenge good gift idea enjoy watching show exception happy rerun say bought borrowing one knew getting wanting get large family find inspiring interesting also like short format allow watch need half hour slot night also great family make may always agree philosophy like unreal version reality special fondness host whole family watching show cool around trying different episode favorite one bus figure eight track really enjoy seeing leaves feeling little normal thats say interesting see side ever found otherwise also host great really good video part fun watch interesting offering lot knowledge different going around us tell love manage day day living without borrow money included well first reading fired god life inside escape secret world independent fundamental cult cultish independent fundamentalist sorry physically sexually child goes way far blanket condemnation independent member independent fundamentalist congregation attend southern church share many aggressive separation world recently house curious watched counting season quite bit logistics raising absolutely incredible certainly agree movement belong birth control many copulation also believe kissing wedding day policy pants short hair television eating pork taking far non completely turned circle approach world trying right thing faith lord worse like completely wrapped video music sex show occasionally comical normal cousin amy unconventional sure part motivation participate reality series share faith actually little mention faith last couple everybody best behavior household except young crying mother sweet pie throughout although surely anger frustration despair looking forward season hope bit genuineness series could still less sex fire fighting work related like series series loosing steam season running shorter shorter series entertaining continually season series one episode new york city tommy back find tommy interesting character times nothing stand comic ready educated man college suppose commitment character perhaps factor season substance abuser alcoholic aa aa priest constantly alcohol open bar involved drinking drink wife unrecognizable j fox brilliant job wife new bound briefly bond maimed every level substance abuse hard upstage fox sad fox become permanent character series suppose interested long term maybe bring back next season well since also considerable display season perhaps inability conquer inner courage people burning even cope burned face without becoming ill least satisfying aspect series wife briefly alight life stand either wife would happy somehow series wish would bring back neal sister least female character could sustain interest interesting one season cancer probably exposure must get surgery sly remain fire department fighting fireman also discover sing imaginative dream unconscious marry prostitute chief married promiscuous woman brought russia strange idea relationship real would make marry able convince reform black comedy fiancee show logical purchase although personal favorite fantastic tommy surrounded really unique blend show hilarious one point devastating sad next series good though full meaningless sex seven entertainment comedy funny thats kept going like six dead plus lost interest show season old story first drinking manic behaviour finish collection dug season simultaneously hard think tommy person responsible horrible happen everyone around also seeing anything approaching decent human complexity understanding victimhood self sufficiency evident season great show prime could watch last three got half way season free list prime cool release going bit upsetting anyone bought two halves season separately glad combined halves selling price one half season know stuff like know care show came rescue bit later people watching last month thanks miracle watched end season five wait long start watching show show definitely one solid television today surprise show one big three four guess count fox tackling cable even touch acting solid way lot times show lot different one left comes development however one great job fleshing making sure none become two dimensional cut show especially talking dead show almost like seeing stage production help heighten audience feeling beginning end rescue solid show well worth every one time shame learn show next season apparently enough keep show going darn shame understand show like rescue audience become involved happening screen become emotional tommy well television require little audience fact cater common denominator sadly say usually high keep getting season season think watched first episode show would stayed air however could told couple people great show turn people watched show could turned people snowball affect look family guy problem show female one stable female whole show single one straight rocker anyone candidate therapy blame tommy going example sex tommy attached however tommy get little serious happen scene later telling decide wow talk bipolar guilty let crazy blame everything tommy category nothing say gone show horrible self centered person one occasion still want know every going find heck even balanced female character somewhat balanced uncle wife wonder kind relationship past write screwed crazy mentally seen season six yet hope life curb season six stand back love show middle season prime taken series free streaming list series sure discouraging cant finish season series life bad life realize house constant life keeping sane kind big fan show beginning hard admit show lost lot momentum season six weak lot old subject matter final season fragmented uninteresting say least disappointed way show ended point quite good still recommend one five season great like show got bedroom one annoying ever like tommy whole lot last season buy thought might go show beginning crap tommy kept thinking show much good great much filler give uncle mike boring character got old real fast best comedy show tommy comic timing j fox waste time ever find way met best every scene mother brother pure comedy gold brilliant kind stuff show great throughout drama kept comic relief franco boxing boring candy coming back like first time around ever journalist boring great actress could character substance every guy firehouse also going snobby college dinner except candy franco still interesting firehouse little silly way kept wanting watch really good comedy great actor tommy best good wish given uncle cousin see accident wake call character one female character independent knew dreary like tommy seeing father brother jimmy especially seeing conner adult really love show different fresh think take drinking good season know show ended got drinking rather stop season think unnecessary season good ended good note able watch entire series without since stopped watching network mid never watched reality except drive cable series brand new one pretty good always certainly talented acting writing music even ice hockey original stand comic extra sharp one souse heart gold hooked episode one much timothy oliphant reading however people unaware actor j fox disease real life thing driving end music regular theme song c mon c mon blues riff first episode season cannot find anywhere net listed official series fifth season anyone know song end episode season really thought season one best far thought weak glad stuck show go understand release season two halves wait whole season come anyone really think whole season would never whole glee right wait whole season buy season part people wait ya pay obviously original mad love animated show version quickly become favorite version grade b film pretty good film amateurish effect transition main story almost gave st glad watched multiple end done well enough keep interesting funny predictable clean humor romance feel good happy ending refreshing see enjoyable entertainment bad language violence sex carry story despite clean would rate younger may understand love little boring sometimes keep little one attention fun clearly particularly learn great show three action little bit complicated little love music great idea incorporate grow music way would strongly recommend love glad available watch somewhere demand catchy animation pretty good lot love show tell unique great fun dancing cute use interesting son hear tummy ask snack without politically brainwashing way world days diamond rough speak wish really like enough variety thanks find entertaining music catchy educational objectionable content fun show watch occasion dancing fun new musical colorful short many free appropriate gor many adulthood good entertainment see wonderful cartoon series younger different cute go really enjoyable series pass judgment show bit little boy happy yeah good case would given really watching never fail deliver engaging episode three enjoy catchy vivid tyrone pablo watching show kindle fire car even home super cute two half year old love episode filled original daughter show singing dancing great program also educational two year old daughter show mind watching bad want saying imagination show top notch story always creative well done kudos good program educational cute fun laugh love love dance back great show educational fun time love show especially start singing show daughter boy oh boy annoying also listen watch daughter able buy season steal plus buy season watch via serious good show son still enjoy watch love hope come prime also would nice love ask somewhat looking something watch show wonder great even yr old boy stop watch bit great lesson music show good concept instill good show good friendship determination help highly recommend whole family wonder really like show wonder concerned well think small understand concept empathy long understand meaning wonder offer opportunity learn compassion great show love diverse grand love show six three old like helping teamwork cute show cute premise show always problem animal somewhere world three wonder super hero capes leave school classroom live save animal distress colors vibrant graphics nicely done always happy ending show big hit grand child since two old would recommend little one wonder especially ming ming show wish three though friendly show part team gaining confidence responsive communication help learn working son show watching still love show bit repetitive like much beef wonder ming ming duckling lisp really necessary anything test sanity parent show cute daughter old still occasionally cute adore kind plenty cute thing singing kind annoying sometimes let though humming singing theme song time play continuous reel mind trying fall asleep review catch show sweet little one little bit really enjoy go cartoon talk love show love like working together helping fun sing feature two may find story structure repetitive enough music keep little engaged theme song go show love prime happy find wonder yes annoying toddler toddler cute cute love watch wonder go love see interact little boo boo love watch together snuggle couch boom grandson seem get enough wonder series luckily part prime bunch wonder cute always invent ways help profess teamwork motto good classic great acting better new stuff nice movie seem interesting film study effects greed give excellent definitely hold interest movie production shown pan scan version original version exist still powerful film certainly one audacious ever material justice giving intense performance character ferocity madness suggesting wounded humanity beneath black commentary justice corrupting power money eccentric well worth watching small town eastern anxiously return prodigal daughter left town penniless pregnant world woman town aid financially give town two million one condition execute man wronged german director bridge film adaptation stage success film effective considerably play impact much black humor watering play nihilistic ending still convey horror decent small town hotbed fascist justice marvelous tightly wound ready jump skin relish scorned woman avenging wrong elegant received nomination minimal score martin dauphin paolo alas fox pan scan format rather film original aspect ratio first saw movie fourteen old grew new york show came television million dollar movie visit amazing movie stirring ultimate hell hath fury woman scorned movie understand ending different personally love irony ending spoil movie say seen pop popcorn light fire snuggle watch wonderful classic movie interested ways development influence documentary must see complementary many monumentally influential book bowling alone collapse revival community documentary haphazard development social capital devastating impact highly incidentally give five personally wish film longer depth indeed topic vast deserve attention decision general public movie one great goofy clean early pure fun entertaining wife watched grant beginning real thing ghostly come lately want paranormal running dark evidence cant hold ghost even branch great addition taps family try de bunk see real explanation seen best business thats continue watch buy real deal would love show give watch seen best original ghost best reality show watch wait get part two way get channel bought catch good stuff fan like sort stuff highly recommend ghost said movie good condition came time exactly gave time thats buy disc work great anything like would use time really say went astray say born fundamentalist never information peter watching ghost via satellite almost beginning seen original read grant say believe may exist want kind evidence kind proof paranormal investigation team work premise attempt debunk paranormal gather evidence hard debunk dispute left evidence may actually support life death e ghost paranormal activity ghost works scientific leaning technical equipment k digital night vision thermal sensor equipment paranormal utilize spirit like discount psychic evidence hard prove debunk nevertheless like paranormal state paranormal broadcast e place well certainly interesting psychic like chip coffee quite interesting fact watching many gotten bit mushy late even original program used display medium readily short psychic like peter also quite interesting peter science philosophy religion come afterlife reincarnation karma interesting material case paranormal field interesting one really like see legitimate psychics paranormal like ghost peter life side love show season ordered season five part one three disc set box received two disc disc two never got disc three reason complain disc one two believe third disc bonus material would gave product five problem know common problem like went better format fixed sound quality past people previous know talking sound quality muddy volume match good job whoever fixing found refreshing music humor attitude usual electronic clean creative also enjoy use silence many constantly hyper reminiscent old program beware pretty catchy act lot like people show may leave urge bacon well done cartoon interesting funny imaginative probably think also good family feel extended family interesting pig come along since web cute show good like patient kind preschool aged son really another great masterpiece based life first department store sorry see end saw rest story one daughter favorite plus fun plus funny year old granddaughter really like theme song like found far doc seem educational growing pretty enjoyable like series fun independent type cartoon like year old watch speak annoying baby voice love since infancy pig strong personality vivid imagination see story cute family realistic get little bother instead little brother come little girl um pig get little brother daisy prominent character ugh back burner sigh whether new voice sure exasperatingly irritating though remains true really watch show cute show really like absolute favorite four usually good lesson episode love way show many six old delightfully simple great young many small deal five year old granddaughter totally relate emphasize hopefully learning valuable life appeal limited think small age range primarily giving four son autistic movie much great movie year old mind watching either cute character imaginative lively girl year old music opening theme song think kind weird daughter show enjoy watching long seen love show like also always imagination great program young four year old twin love watch lot worth son good funny perfect year old got whole season beat deal entertaining yr old son worth watching seen parent like many feel like something translation original book screen bit show necessarily bad thing daughter age would give ten could sense humor little objectionable material educational show content although usually gentle moral somewhere episode daughter show show get stop watching far nickelodeon go one repeated numerous times season old kind boring younger ate good kept attention quite little good watch great show funny thoughtful like content enjoy cartoon well grand daughter video much four may kept attention always watch personally find little odd looking four year old show really seen anything would count provide good good show good content encourage bad would recommend parent really great show little build imagination get along know found understand fell fun try good show entertaining good really annoying tolerable dad overall good show two love learn whether educational life better average show year old daughter entertaining episode enjoy always something fun getting interesting good show good grand kept attention kind entertaining recommend year love think cute would give educational content sweet fun show though learn life like lot great series true character perfect little watch daughter daughter watch show let adult find annoying one nice show even toddler like little morality tales make one think behavior grand daughter really two seven year old around house yelling never watched entire show review interpretation satisfaction series love wonderful see alike oliva begin sing opening number every time usually interesting sometimes annoying year old episode always like attitude daughter lot fun watching least goes concert see art something real like classical opera music see pollack museum culture still love show watch non stop id let funny entertaining well written childhood well bit princess love watching star attention better ted bad show concept relatively fresh entertaining decent light fare funny show immoral company anything try anything mighty dollar r guy morally corrupt also father girl hilarity better ted good show decent good one scattered throughout laugh loud funny overall felt good watching get forbidden love bit wish could something else good hook show better ted ted story much focus well keep light funny overall definitely recommend watching look forward watching season idea originally glad catch need something end long stressful day divert attention stupid humor laughing everyday good min escape reality excellent first season excellent show little rocky show find footing excellent cast group first season quite good fan show air although uneven episode episode working funny wish mature hit stride ted boss stole every screen dynamics racial sensitivity episode instant classic worth price alone also big fan community think probably would appeal like minded say high really funny acting good overall depth see make past well written pretty good cast occasional hilarity looking good fun comedy would definitely check love show want laugh watch bad part hilarious show become instant favorite mine however st season definitely huge shortcoming complete lack special yes promotional behind gag even think worth turning people onto show especially price hopefully season make missing funny entertaining show varied cast funny typical corporate headquarters bad two series introduce funny funny whacky group number corporate v series trite stale rather continually surprising delightful many difficult name favorite ted straight men outrageous portia de development certainly contender heartless ambitious department head research development lab always leave wanting also entertaining brief ever presumptuous dynamics amid many plot raise serious integrity profit clever writing show remain funny thought provoking funny smartly written lot tongue cheek humor well written thinking comedy fun corporate executive producer victor fresco consulting producer name earl executive producer universe unveiled single camera better ted spring series around company dynamics various world home military research development department headed ted crisp episode see various include freezing one used warfare goo contact paper used dynamics company develop anything ask direction ted emotionless boss research development overseen ted later tested courtesy testing department headed series entertaining fact nonsense emotionless boss making money company ted although r director sides boss company yet morally perspective kept check young daughter rose meanwhile sexual tension ted lab provide comic relief typically interesting side effects series shot mostly work inside building dynamics day work quite fun hilarious outright crazy better ted nominated entertainment weekly award best comedy series second season begin airing time second season premiere better ted complete first season available via set total included two included note spoiler less disc episode pilot freeze year test cryogenic chamber meanwhile ted know testing department episode ted fire annoying squawking side effect improper body last episode episode rose colored ted daughter rose work reason daughter bonding episode racial sensitivity security dynamics work black people thus work meanwhile episode win dose exposed experimental energy patch like band aid side effects meanwhile ted daughter competition help well episode chips ted accidentally employee record job must must apply position must temporarily take leadership role work disc episode get happy told improve company morale must make office nice episode boss ted get closer medieval fight club episode toxic ooze flow office causing disruption work dynamics episode trust dynamics perfume attack wearing main investigation episode father hair lab testing hair growth product goes control sad news father rival company father daughter relationship episode whole office going friendly viridian commercial going green episode invention image person private magician meanwhile set ted date friend video audio better ted complete first season featured via single camera fine layer grain dynamics use stock video see compression quite bit fortunately short part par comedy audio featured digital surround series mostly front center channel driven dialogue clear understandable music series crystal clear preference receiver stereo included special better ted complete first season box set contain special judgment call better ted definitely fun personally like awkwardness whole series based research development company actually quite fascinating see could make comedy series based go definitely lead fun awkward every episode first season quirky fun portia de great job emotionless boss dynamics jay ted crisp r director caught company right especially daughter one moral conscience right testing department share interesting joey class employee dynamics starting learn company thought great actually quite immoral ways finally comedy relief comes two emotional logical part favorite first season include first two episode froze scientific testing company father hair trying relationship father hair growing ted desk rose colored ted daughter rose bonding ted sexual tension much awkward racial sensitivity hilarious release better ted complete first season disappointment set fact special included would hope would commentary anything something nothing aside really first season series crazy fun definitely comedy currently television overall better ted fun series sometimes clever sometimes part definitely quite fun enjoyable series even watch comedy based series definitely give better ted complete first season try top satire quite funny probably would even touch subtlety th wall darned truly enjoyable show short tenure funny stuff done serious straight ridiculousness even funny better rude crude offensive available today show outrageously good well written well quirky comedy laughing loud best kind comedic insanity tight writing great corporate satire shame show air several hilarious quirky show really entertaining watched pilot however watched develop life caricature corporate business come life found written well absurdly funny would recommend watching series time series show covered could become reality sometime soon silly humor dray humor also unafraid joke controversial afraid touch today may want give get like eureka series wish show watched completely show usually love clever love show disappointed thank prime sense humor oh cancel probably funny even hilarious silly daughter check entertaining show better ted one quirky fun weird enough get picked still come old thing get world pretty quirky good decent enough teens watch funny built show easy series enjoy especially format well thought show along easy humor bad language buried agenda message easy show spend watching one time wife crushed one long time got funny potential would better smoother still bad quick twenty minute repose like show lot quite funny think would funny depth love go laugh track show enough reality make relatable yet saw couple watched first season fun watch poke fun world funny unique show good show originality love subtle current funny sense humor watch something little different funny quirky process binge watching show looking forward finishing season definitely show early schedule made hard find audience finally price short run show figured lost time release great price kind cross best rock office big bang theory think show similar style development incredibly clever like narration weave company relevant episode really satisfied wanting learn environmental geology example earth formed helpful show educational yet enjoyable watched episode watch later wonderful found educational entertaining earth science well visual representation sparked good afterwards worth money show informative entertaining vast saw episode first hooked wish could go gone man look like fun learn something new episode watched share pretty significant chunk content love topic though even old school animation instance million ago really blow mind beauty sheer terror planet growing product classroom demonstration process better book need visual wish show still going watch grow miss hello watching season really real much still funny watch see much kim first season two breakout right beginning though enjoying watching pace w way kim like sore thumb white next big country star forgot one small thing sing least check episode singing fall chair laughing lived eighteen fortunately none like ladies show like soap reality series worth watching top pretty amazing delusional couple ladies rich attractive mean sing design clothes oh well like watching upscale train wreck definitely entertaining us reality show power path love interesting informative work hat goes sitting tough job program give lot interesting fact history armored restore also learn lot work something curious know documentary overhaul german tank story bit repetitive television annoying seen segment could detail tank otherwise informative interesting series nice slice history normally wouldnt see wish watch glad picked nick like group everything season would much e add entire show every show available prime added one click example grandson watching watch glad part prime love helping learn even husband doesnt like click good season daughter happy prime rotated thanks love sister course baby jaguar fun learn especially baby learning plus love house quiet change similar series say kept quiet flight got version lot space go lower loading portable device good teaching much learning son though two year old son absolutely show wait help episode mean literally help adorable much fun watching interact show watching least along tune watching religiously probably least dozen new impressive since south park controversial yet running highest rated hit comedy central broadcast th season begin march th animated series south park colorado marsh kyle eric cartman series going provocative ever thirteenth season south park series popular death economy video audio important note season edition ray version south park exactly series looking extreme special effects action latest season little bit detail plenty vibrant colors audio audio digital anything comedy central really front challenge heavy bass overall dialogue clear series would expect major audio dialogue clear understandable music definitely quite clearly pronounced special south park complete thirteenth season comes episode trey parker stone short five long discuss episode outside featured disc one inside behind tour south park major nelson people behind production south park several various south park one series watched since college seem stop watching matter far series goes offensive series may get really get upset series known pushing button taking far comedy central allow series button people familiar south park going get offended uncensored filled plenty profanity violence blood series targeted mature want watching series lot thirteenth season plenty oh crap f first episode thirteenth season wanting oral know season headed trey parker stone try use year run see far go economy becoming slaughter even cartman singing lady poker face lot crazy season plenty crew work year comes one open mind comedy offensively funny last easily offend south park definitely long time enjoy series enjoy seeing far parker stone go south park complete thirteenth season goes even farther previous limit shown cable television episode featured uncensored glory ray definitely prepare thirteen season south park even oh crap really f yet another entertaining humorous provocative season south park great season full funny remember ordered brother complaint season case good lesson peculiar way bought someone recommend see part lackluster season forward season favorite show especially seeing many favorable usually get see south park well season better season solid previous favorite dead w f butter bottom b good really funny e pee either blah coon f word stupid e whale derby disc excellent addition ending disturbing brutal west hurt episode would felt ending used run season disc ring new worked seeing much chagrin band purity turn money scheme diabolical powerful mouse like girl carried stretcher concert surprisingly come unscathed coon clean society since care cartman mysterious vigilante persona coon course plenty glory rival masked crime fighter scene taking publicity coon unmasked south park failing people need answer follow always melodramatic randy marsh angry vengeful economy drastic spending kyle role similar certain figure pay faith spending meanwhile rationality yeah right economy several annoying dad eat pray totally public becomes rage airing canada channel channel canada even act understand fuss turns battle great episode empowerment gross funny popular episode fun west inflated ego jimmy lesser extent cartman come joke nation storm two people vomit jay leno show west self professed genius little seriously actually even worse episode realistic jimmy give cartman half going win battle fat one disc derby like episode randy beat derby race badly bending magnet traveled put car car race space alien life force south park ridiculous stereotype gangster randy phone world also really lame hearing news cartman gather crew make journey adventure mother credit card kyle glad see cartman leave member crew cartman natural born leader actually well real pirate life paradise great pirate song cartman load f one dead favorite season dead especially billy dead stuck purgatory move one cannot accept demise know soon voice ignorant skin condition body hilarious cartman finally sympathy someone pitch man billy also get see kyle getting butter bottom b nice see south park punching bag succeed something case becomes p kissing company chief police going bit far prostitution sting operation hilarious sure lot episode w f watching raw join wrestling team find theatrical wrestling expect form wrestling takedown federation ha emphasis soap opera wrestling become popular comes see note given playbill balcony seat disc whale episode whale reality show joining crew extreme get gay segment stupid f word use f word wag refer annoying commonly used meaning word younger try get head editor webster dictionary lewis get change official meaning episode one better shown baby made laugh loud cartman reading morning previous reader air new platform criticize student body president cartman beck role hilarious like kindergarten recite socialist dung hole pledge allegiance also could first time series eric cartman eric hard believe used pee cartman kyle find disgusted pi pi water park cartman number park kyle number people ending bit weak ha weak flow song cartman brought probably moment season love better crisp clear quality anti recommend good price otherwise skip say south park hit one left laughing like crazy whole time seriously considering ending south park collection saw gold box recommendation decided get well worth collection price season bit last one fish sticks butter bottom funny funny like way alien derby like whale start funny fall trap joke funny like last season heavily reliant movie funny satirize seem caught telling instead coon funny almost like taking seriously kind weird kind like wish could make action movie like batman south park subtle message bit annoying times whereas might hint something like evil get south park message even mouse give big speech end stupid people case first hundred times never part end season time learn lesson speak directly case really dense appreciate trey unique show air right prove away comedy read show another show like lot people bemoan series long heyday would disagree nostalgia argue season still good golden period still funny finland therefore nuke south park nice nuke friendly peaceful north update august th long time thinking buy buy bought cover noted movie original format black screen use zoom button movie correct sound pretty well stereo picture quality good could little bit sharper fine far tyrone power movie would prefer see movie ray good quality nothing foreign speaking hard hearing people may difficult watch movie waxman great score available movie entertaining good quality story different time place united history entertaining took chance movie untamed even though ratio much delight wide screen unfortunately anamorphic still able zoom movie came quite good actual print pretty decent watchable collector classic good one library ask fox able produce old correct ratio warner archive happen would first purchase fox always fine old cannot see fox would change produce good quality sure wold good older generation still love ken good movie would recommend anyone western great old time made golden good luck th century fox wide screen finally saw low price film came saying film original form fit screen thought wasted money film came full except colors little faded print great hayward south van tyrone power comes buy romance return south establish dutch free state also commander fight group think family along leading hard life pass leave land south escape horrible potato famine hit killing starvation ocean voyage trip child part large wagon train goes interior eye one best although something train large group large scale well staged battle sequence train danger arrive save day though battle stay train arrive destination along way reconnect never really lost lead bull whip duel two men settle leaves child although know love showing dark side personality leg tragic accident lead downward spiral head large outlaw gang farm bad storm comes possession diamond every found south life wealthy woman cape town child leaves duty family eventually money town near farm taken gang final confrontation well film done big scale action mainly melodrama good one though happy collection location done south beautiful score waxman great complaint climax attack wagon train large scale goes final shoot well done small somewhat anti climatic comparison gone wind style romance fiery redhead many th century south one hayward better period fact conqueror akin citizen tyrone power starred rawhide hayward considerable histrionic talent intelligence somewhat enigmatic unlikeable character gaining sympathy lesser actress would able elicit able support provided never gave uninteresting performance untamed another opus movie going public location canvas temporarily mid best feature movie waxman great score available film score monthly stereo release wide screen non anamorphic ie need set wide zoom see best indication given whether kind stereo release regrettably mono encouraging sign originally track magnetic surround sound general fox going much trouble best hope would track stereophonic sound waxman whose sunset boulevard place sun resigned academy protest non nomination score robe despite high quality peyton place young man prince valiant suspiciously far saying academy ever political voting untamed worthy nomination best original score critic said captain another tyrone power fox epic great score picture whose music worth seeing twice received copy untamed tell anamorphic stereo film bit faded great opening film hunting going back forth glad took chance ordered anyway scenery spectacular date review untamed always hayward story line great old classic type would see family survival type show went along well enjoy watching together ever wonder train hold breath train hard task well outside box end good show small time worth watch gave rating never going part seem something deal gone attack might want know get wow face walk animal attack left memory scary thing happen person always good learn unfortunate wild animal occur kudos tell good lot fun watch corky smart witty writing would definitely recommend watching movie really enjoy even watch whole thing love plot interesting way fragile topic inter ethnic coupling gently genuinely good movie movie zac issue movie story enough mean movie ray conflict racial background father relationship sudden last movie completely soon conflict resolved movie glad ray came wish better fluid chuck fan decided give movie go knowing would little different comedy show luckily chuck still found ray enjoyable movie movie long whilst predictable times still good movie great see different role certainly worth watching relate movie nice watch something relatable change foreign person living us always torn date eventually end one moment want loyal people country find relate much relate either always rebellious times see worry lose culture woman even difficult see culture foreign country well moment decided anyone happy would time comes everything sort people romantic movie much give chance pay attention story regret story young man father desire honor heritage career romance although lot tale ray racial background really story dealing one parent found film funny sweet currently starring chuck shahi manage make us laugh touch hearts mixed race person really film ray half white half ray white side interested dating ray long time white noel essence younger version white mother ray waiting answer ray father marry woman ray date ray idea later dinner meeting woman surprise half white like neither ever met anyone unique ethnic composition rapidly become ray becomes torn white noel film question whether mixed race people play role choosing partner end interesting answer movie definite must see mixed race people anyone seeking understand unique mixed race people face felt add comment saw white get full message movie could relate story romantic comedy father son relationship son could well immigrant married woman ray trying figure cultural identity ray father married woman partly caste system get away traditionalism apparently choice ended painful loss father marriage soon ray dad ended wife argument something wife fight time ray turn kept away embracing heritage dating south girl really racist joke mixed story familiar movie made married outside ethnic group lived outside culture still tried ensure try maintain ethnic identity see irony movie end ray understand ray give credit took ray dad still sensible despite son interestingly none lead come according half half ray dad heritage later read interview director tried get real mind choice good charming good looking also bios probably know lot different like gay salesroom assistant line story think redundant ray friend believable film lighthearted appreciate overall movie would recommend family definitely watch good product considering fact made independently limited budget never film watching comedy culture clash love good movie worth seeing even film love comedy acting fusion truly hilarious racial two people fall love family family deal watched starred whose chuck show watch regularly movie utterly delightful ways father film superb hilarious love opening scene best talking son always excellent capable making even less stellar script fly remarkably middle eastern role likely one move chameleon like one role another seem fit perfectly work movie engaging found way caught overbearing comical father roommate quirky hilarious well touch levity somewhat heavy script although overall pretty good balance comedy poignancy really many enough part demonstrate talent actress outstanding giving endearing performance would plot little less messy though ambivalence understandable well movie really want suffer endure angst one point endless look like much fun movie one attractive ability really enjoy camera end still slight feeling unfinished business although clear turning feeling director leave opening sequel acting magnificent film quirky humor refreshing feel chance show real talent prodigious free felt movie solid saw film lone star film society screening fort worth would definitely recommend film someone looking light romantic comedy nice see film could heavy full bodied person internal struggle identity self intentionally stay light airy film everyone couple first date girl night ray attractive hard focus story times anyone every avoid leaving film feeling sort melodramatic discussion local coffee shop afterwards person experience watching film meaning thank refreshing like one one afternoon saw free gomer would say surprise surprise surprise really well done especially like treatment st generation love acting honest white comic relief better film big lately like fact given chance make choice chose someone similar diversity mean choose opposite true make based family needs stereo matter fashion everyone beautiful choice beautiful white successful woman beautiful brown socially conscious woman poor guy either way good message really film know expect quite pleasantly quality acting authenticity story well done bravo extraordinary pressure match b b comes marry marry tall people marry tall people cat people marry cat people absolute rule certainly look around see ray father white mother life parental true love white lawyer couple consider offer marriage father meeting daughter man thing mother like first person like ever met guess well cast part nice guy ray pettiness like like ironically budding actor casting think either light dark swarthy enough funny saw fort worth film festival really film contain funny smart romantic family film also profound racial leaves positive light life general great would little depth story charming usual made movie season finale bad series finale writing declined last couple final season coherent drago fight freed deal drago forth one today book great really like show like pretty modest dress action good clean show good fun appropriate kept interest violence inappropriate love probably good teens well interesting mermaid show find getting myth reality teen life cope get know likable recommend good clean fun never show since free section tried seven year old daughter granddaughter series admit good series especially enjoy seeing one vampire series would love see rest probably might way getting prime beyond free trial posted wonderful among many fit watch film one fit watch opinion g good series year old daughter typical teen setting show daughter show immensely really dramatic exciting course tween girl plus show wholesome fun show year old amazed show like sea fairy tales watcher grand daughter shoe would watch episode able part prime five year old show love clean teen would want little girl see good entertainment love cuddle couch watch easier swallow given birth two turn gave birth two found series timeless relevant growing facing different coming top bad friendship grit may find little sweet find refreshing show dont know much see watch series clean positive teen ager enough interesting year old sure cheesy bit clean cheesy better cheesy rotten teen like better saved remember sure age level show aiming content level range anywhere year old teen level overall though good morals meaningless exist ever dwelt idea reality world mind closed room see alternate mind fantasy first siren reality many sound siren mermaid twin grand age really enjoy watching really bad watch also pretty decent overall simple episode safe whole family like said easy let watch limited amount television show definitely pass educational requirement usually maintain fun mostly full less shallow materialism catching fantastic nearly perfect show show could use planet saving save show great probably best teen family friendly kind nice afternoon fare seven year old daughter show older capable following conversation plot inappropriate language adult worry easy find days watched daughter wish still came good show love show little difficult watch acting horrific matter daughter watching could wait see next episode even found watching good clean moral lesson nice something watch concerned may come really series look forward watching season good enjoy year old daughter show imaginative fun yet clean wholesome entertaining fowl language suggestive content old age thought entertaining great young plot scenery beautiful well done photography cheesy found kindle prime visiting fun snuggle watch show also nice use tool talk great series granddaughter really different entertaining appropriate young love handle different targeted primarily young age thirteen h add water goofy appealing premise tap love love three sixteen year discover mysterious glowing pool water underwater channel upend irrevocably adventure long range find mermaid needless say must avoid contact sea keep secret plenty humor surrounding show never really fundamental really care enough though also water well boil water phoebe tonkin manipulate emma holt freeze would useful party huh h add water ran three shown recently nickelodeon stateside season one approximately total almost eleven set release also minute film together salient plot season one singular feature bonus film nice suppose watching full season really sure would interested recap basically show might expect really adjust try evade caught try appear normal want ordinary would show school amidst fantastical mayhem lot heart lot humor numerable one might start early part season around discovery later evasion especially local boy get close secret since h add water two made impact teen centric united holt currently one hit vampire appearance family pretty little phoebe tonkin starred secret circle well recent appearance also vampire fan ladies definitely something might want check never show like might interest urge give shot think pleasantly intent program fun watching show little fun like thought cool daughter good show swim special water whenever touch water fun show watch watch day dad like dealing w number addition typical list good model friendship strong w good problem let hope stay away three hot become water believable still fun show plenty skin sort like without granddaughter age show life character process highly recommend h fun escape meant taken seriously watched series kitchen mostly made work go faster would actually giving grandson really moment acting great plot also family always last know first good clean show watched year old daughter little imagination live kind stuff cast cute love daughter really show watch kindle fire road worth purchase year old love series hope th season adult male pass wife cute yr old really watching series mind becoming mermaid older show super cute year old daughter far bad language inappropriate violent made great show watch family well see liking much daughter cute cheesy substandard acting caress sweet series like form montana show beautiful scenery nice morals overall sweet show definitely roll like believe nice series even enjoy seen take chance disappoint love watching show away day teenage little brother sometimes one daughter favorite show son definitely husband funny rather recognize seen enjoyable series watch want see something interesting entertaining good family show love show enough mystery magic writing acting bit cheesy better season tween granddaughter watching combine folklore modern teen angst beautiful love love watch one episode time order convenience hi thought would watch give try series young people young twin year old pretty series brief slightly uncomfortable romantic right alley daughter show cool find library acting good story anything scary yr old daughter show would highly recommend giving try production h add water family fantasy mostly female teens three school acquire mysterious ability transform learn also trying keep secret mostly light fun sometimes bordering silly mild violence special effects used create mermaid times little goofy generally quite well done mostly convincing type program taking boat ride emma gilbert holt vampire phoebe tonkin tomorrow war end beached mako island accidentally slide tunnel rocky cavern bottom pool ocean water freedom pool moonlight soon strange effect discover contact water within minute transform mermaid matter wearing clothing fishlike tail matching bikini top magically cover change back nudity always somehow clothing girl also separate power water heat water emma freeze levitate dark initially close friend lewis aware secret becomes confidant might expect turning mermaid life complicated especially ocean nearby emma competitive swimmer job marine park initially deal routine like nosey sister kim kent rival classmate latter part season burgess another classmate becomes becomes involved amor former mermaid guide difficult road ahead coming full moon usually strange effect one trio become critical end season cox ambitious scientist girl secret freedom primarily targeted teens star show good production nicely executed special effects interesting scenic although certain like juice bar pool mako island become bit season one series writing growth improvement adult outstanding acting good show primary rather well shooting underwater always challenge working together swimming bound together fake fin physical skill great strength swim wearing manage pull quite well good clean family entertainment season one h appeal like beach sunshine scenery course probably intended teenage audience let year old watching much reference sex love language appropriate excited could get program prime love program really show watched whole season one three days nine old think relate character show starring fanning film found coming age drama fanning best child actor since foster robin wright also amazing actress well much rape scene graphic nudity shown especially since time fanning character music solace fragile grip reality slowly surely find voice heartbreaking story one worth telling fanning great film unfortunately like way naive young girl prior rape scene clothes show young girl naked badly take clothes taking clothes isolated countryside bad inhabited area naked big deal hot sun took clothes big deal like blues singing put sensitive black man motif character studied black film get thats mention studied black film important understanding go beyond screen know expect read book got story giving hound dog cultural setting acting fanning save movie thing movie dark quite bit depressing looking feel good movie want deep dark movie recommend fanning amazing ability bring character clarity feeling said film could care less fanning young girl south growing learning clearly mad many times film song stuck head eternity think first time rape scene say really well tell great actress afraid go certain know people anal scene wild going watch film open minded see enjoy film whole finally piper morse also good lot misunderstanding film see sides sure gave courageous stunning performance considering heaviness role movie big blues music fan really dug music end movie gospel singing song end best singing ever hear wish could buy back point far concerned think mature beyond enough able withstood kind disturbing turn act without affecting emotionally strong healthy understanding kind violence help young still professional actress recommend movie shown young need exposed material young age also get director defense disturbing bonus feature interview religion young girl sexuality celebrated something extent well rape scene perfect example young girl outwardly express sexuality look happen perhaps meant girl freer way men adolescent respect instead getting turned violence meant noble wish highly unrealistic course thought quite defense sexuality related movie cinematography great movie real home feel south well made movie kind slow action department violent pondering pretty depressing pretty compelling fanning lead character perfection even movie good otherwise recommend see young actress make believe really middle story seeing real little girl real life protective audience want think rest old father morse run house run part south near think mother gone clear maternal grandmother piper nearby fundamentalist authoritarian always angry always saying imitate singing floor lamp microphone hip therefore friend big sang wrong figured song fact sing blues black singing blues black example thus becomes symbol emotional development sing heart merely imitation story primarily music vulnerability young girl injustice even older also inner strength sense responsibility father struck lightening turned stupid friend father put believe bulb tree lightning hit tractor dynamics family life past unfold slowly going spoil one nagging question early story daddy stranger lady move awhile list robin wright later get know another lady perhaps mother aunt case daughter lot like stranger lady sure critical information knowing good enough sure anyone know watch movie perverted see perversion really story grow difficult comment movie would view controversial think got today making could simple life lived paranoid life live fanning brilliant always talk sexual content movie crazy except one scene everything shown see movie came due sale took chance acting great movie depict rural life south accurately usual chew spit making smile getting better better talented adult ever seen anything scene stealer ask could miss performance fanning simple little patience first turn tasteful handling difficult subject want watch written directed atmospheric film life south specific confused period time examine child rise squalid surroundings family trauma tenuous grip dream becoming performer like idol fortunate cast rather amazing young fanning inhabit role feisty headstrong prepubescent girl whose mother deserted birth leaving live abusive worthless father morse whose current paramour ex wife sister robin wright leaves also father abuse desertion overwhelm sole friend young buddy show tell promise find concert favor buddy older friend rape sequence germinal film powerful lack graphic detail life even thumping grandmother piper console support comes form old friend sole visionary source gift music soul jazz change comes father struck lightning ending career making dependent needs stagnation important life change resolution story lot novel film flavor missing general feeling southern situation well camera work music fanning show remarkable degree depth talent actress watching film performance alone worth time harp march grown deep south film hit hard disturbingly realistic racial poverty vast difference privileged wealthy keeping poverty trapped trying merely survive amazing character movie rape scene disturbing mainly fact survivor horrific watch even though movie real happening young character situation day see trust taken away violently sickening real scene little sexuality enthusiasm pelvis music soul music sexuality rape violent crime power control body spirit amazing part movie healing power black friend blues awesome fortunate enough black people life raise gave exposure soul white family cried cheered scene little body wrought evil attack physically brought lifeless body wail deep angst song pure soul thank god revival spirit people life poverty circumstance beat end spirit rise worst circumstance violence self chart amazing character film spite horrible life dealt loyal obedient daughter granddaughter unlike juvenile running around today enough killing spirit finally chose life absolutely powerful statistical data least sexually reach age movie built upon one scene believe due one producer director writer experience however great setting since would quite commonplace girl growing poverty time seen sexual unbeknown probably idea supposed mean famous great singer people mean scene friend seeing trouser snake common sexual exploration found signify promiscuous hint remember robin wright movie gump jenny poverty stricken southern girl abuse young girl father belief contribution movie essential robin first chosen play part focus dealing father becomes disabled hurry bit like sam mind movie could used length certain put saga series movie would successful bit abrupt strewn together hastily complex time consuming reality adjust movie somewhat realistic still bill made movie potential fanning performance however fulfill true potential plight case aware film really hard professional general earning something like rotten really really poor rating reason behind immediate outrage film quite obvious live society overly paranoid childhood sexuality taboo film least bit afraid portray year old girl blooming sexually exploring power creativity well learning horrible sexuality fact said girl beloved sweet fanning made pill bitter swallow ask fanning character amazingly realistic wake call world suddenly become sexual course year old curious course year old sexy fact walking around panties throughout film realistic least would era poverty stricken deep south many movie like way take issue year old taking sip beer puffing cig moreover see girl panties much think sexual movie movie beautiful message art suffering also many among childhood innocence gender think even critic agree amazing job really might child actor time film beautiful cinematography color palate calm blues soft dusty yellows throughout night especially magical film acting ability young star fanning absolutely outstanding role high spirited young country girl living poverty stereotypical poor southern country area father violent ladies man struck lightning becomes brainless needy grandmother much child protect young friend buddy close later awful way later almost unspeakable act violence old black man works move life film set titled family singing song part plot coming town ticket performance story quite sad left feeling sympathy girl want give stirring performance yet difficult film watch violence ending satisfying pleasant know movie seen beautiful movie growing real world glossed version people want believe era movie realism really worth seeing pubescent girl late south chance ticket see retrieve ticket compromising situation family teen milk delivery boy rape scene graphic one might think little nervous watch cautious appropriate side step skirt issue deal head think need risk taking modern tackle child rape abuse ethically done inappropriate shown underwear rest neck clothes completely see mainly distraught face goes ordeal girl father also dog eating also struck lightning actually better person girl religious overzealous grandma becomes primary empathize granddaughter instead wretched sinner father especially father depressed girl refuge redemption farm hand blues singer oppression misery sadness rise become better person without misery blues night barn empty hole spirit becomes strong positive role model girl express blues able heal eventually responsibly leaves father grandmother longer relate situation due sustained lightning strike brain fried childlike behavior grandmother much top religion empathize adult remain ignorant stay misery father mostly blissfully unaware due condition child rape abuse everyday something need put table openly seriously address movie also strongly damages inflict upon young girl child rape abuse even worse causing insult injury feel unnecessarily guilty fault sustained malevolent due film moral human condition spirit sultry muggy atmosphere get feel south summertime great aesthetics way become classic actress talented brave young girl bravo great daring moving glad see role film made summer yo brought abrupt end child proved ability heavy lift dramatic actress performance extraordinary still favorite character ordeal beautifully done emotionally moving scene mostly believe shot put together film festival showing early film got lot flack allegedly go never forget quite year old angry acting made clear film go anything recall compromise ended working union scale refusing cut controversial scene find especially outrageous received even film real injustice film also good movie trailer see comment fanning absolutely riveting performance triumph reporter role fortunate get like assure future dramatic actress dove character character favorite saw crude delusional talent naive naturalistic opening scene never seen anything like screen know fact realistic brought crudeness well attempt showcase singing dancing talent way vein saw attempt sexualize make provocative analysis would superficial trying provocative think naive sympathize ugly world made father desperately get find something better friend man care neighbor comes play save physically mentally movie plot hole bit may notice case watch film believe highly give thought movie pretty good story well written good job little girl growing lower class neighborhood quick note say story wonderful great see dealt tragic life least offended anything like never tasteful generally positive crowd concerning film give zero feminist claptrap director mostly worthless making bonus movie definitely true rural south everyone still good watch got gift fanning fan movie dark story found relatable glad see music help fanning character troubling times another indy good difficult watch fanning young girl verge adolescence natural talent singing many lose vivid rural milieu father heavy drinker absent mother include neighbor boy wonderfully lively group southern singer warm evidently going become extraordinary beauty however sex early age early sexuality nothing titillating whatsoever indeed completely unprepared theme story nearly spirit possibility healing extremely graphically realistic fanning performance opinion worthy warmly prepared stark realism movie one watch hear controversy also good wonderful acting fanning stereotypical might agree thought happen southern character unstable family one true love avoid film nothing sexy around panties uncommon blistering hot day biggest controversy rape scene older basically seduce engaging sex get watch brave movie fanning cast fit wonderfully happy well type movie like good performance family insight growing watch movie making feel range good bad character idea people spelling supposed father energetic happy young girl music doesnt much far material innocence happiness child movie dumb get sing song missing point entirely rape numb angry doesnt even want sing point life face difficult times give let overtake make worse person overcome become better person giving spirit scene boy girl concert went broke heart felt angry person prepared emotional movie well written period story way story different good movie get tired hearing fanning great get award performance fanning movie young mature aware movie man fire movie maturity stood clearly one actress reason given movie worth seeing love attitude direct really helping lot fun watch episode friend buy see said good glimpse used wear sure could see carry day good enough keep today season good thought unrealistic especially quickly got control first also like fun adventurous appropriate entertainment daughter season wait intriguing interesting series daughter telling watch enjoying different great show like like victorious cute funny great pretty family friendly time fun show teen enough drama mystery stay interesting refreshing sometimes go much perhaps necessary large cast example might episode see till episode like practically bad language violence minimum good like friendship responsibility loyalty young teens like actually watched show us since well remember teen drama corny overall yr old daughter show make interesting enough able actually sit watch whiny obnoxious top acting u cringe many younger young teens learned life also r inside enjoy watching beautiful location son favorite show comes home school homework done first thing watch h series never saw found interested watched nonstop highly really watching made keep watching great show hate get end show probably end classic something enjoy together think magical show really hook something different typical north minute entertainment find show refreshing especially first season season three get little effects driven sacrifice story beautiful scenery cute show nice easy watch show mood simple fun entertainment try would highly show teenage girl clean drama twist honestly show whole mermaid aspect would another boring teenage show way drama enough different entertaining worth watch plus show better progress find true lot drama worth watch give five star highest rating great scenery subject matter always fascinated watched get enough watch daughter us time together mention bad story line daughter show must say enjoy well cute beautiful water teen series parent thought clean well done say days season still rated mother show finally get little background phoebe acting though still needs good deal work seem cause lightening snow emma new season pretty much around new girl town love lewis nice enough first soon becomes threat even worse becomes mermaid possession quite mermaid showdown favorite great show think something age year would enjoy overall good entertainment good show enjoy family different concept story usually see show got would reassured show getting interesting series completely th grader mystery mermaid process much kissing perhaps little much girl drama difficult avoid days daughter old get enough show always trying watch next episode appropriate watch yr old granddaughter positively disrespect property positive much better entertainment industry junk prefer watch fixation crude humor sex nice entertaining show clean language everybody else something e encounter often nice entertainment value write relieved see year old son watching mostly clean fun say low hard tell least much better channel afternoon evening cesspool unfortunately boy always older educational amazing morning playhouse stuff would roll right contemptuous afternoon teen junior stuff sure walt would embarrassed fire oh well written funny jaded cynical veritable turning innocent horrible social sassy rude disrespectful mean crass cynical critical narcissistic greedy arrogant absorb mimic become fast love adult comedy drama expose stuff right winger liberal let vote drink late teens yet destroy friendly nice person starting age much least household yep turn yep young young h least constant infusion repulsively treat need positive influence least balance drama get thrill addiction rush eating junk food pull together serving junk candy least h nutrition health food hey settle still baseball best game world saw movie perhaps idealist version somewhat today learn game seen anything better film far thinking man game comparison soccer heaven forbid football trying break interesting see young actually better older married mel many covered huge baseball fan thanks also ken al start convincing less enlightened missing high recommend baseball thank producer gem similar plot little big league warm hearted enough keep viewer third best baseball following every spring outfield cinema anything possible eyeball left field core premise nine year old becoming team manager professional baseball team well take stride left field much fun bit wish fulfillment especially big love national pastime dan always could acquit well could sing dance bit muster adequate twinkle eye could also tap brooding place fare well dramatic left field essentially dramatic role comedic vehicle starred year dizzy dean pride st time ex baseball player larry cooper whose dimmed reduced holding peanut vendor beloved whacker stadium times tough whacker stadium major league team let mince stink latest attendance count sum people must set record gate ever cooper short fuse seeing favorite team suck bad must eating baseball stand judgment live long day passing expert opinion crowd except frequently way selling fresh boss fed light life nine year old son billy chapin infected baseball madness cooper latest foul fired office ball club owner niece getting old man gig back bat boy uncanny savvy team owner niece comes fantastic publicity gimmick hire team manager surely flock gate skyrocket fable pretty please roll far fetched premise hey least outfield although movie sports film virtue nature underdog story strong interest plot palatable even though nine year old aptitude game really dad sly given lowly surge cellar given surface threaten diaper manager run getting truant officer left field fun family flick awfully nostalgic old television solid supporting turn sea hunt sea hunt complete season one veteran third baseman pete longs one day sun also cameo fess harper season one perennial actor incompetent manager young cooper fourth grader peanut vendor nice family film plausible story might film kept interest enjoyable tale warm relationship widowed father son baseball providing framework interaction recommend anyone looking feel good film baseball genre film movie really good even though watch three times actually understood everything great movie moving watching series always interesting see military days go wrong watching series interesting watching science behind shot well field craft effective sniper battlefield season good lots good tech interesting competition would like see definitive overall good show everywhere find series could watch good except voice quite matching time unsettled documentary feature film written directed produced six young taking part disengagement august watch specially trained deal need evict withdrawal main focus two young sent evict three difficult sides face ordered evict well told come care film show human front war battleground back yard unsettled pop music well original music lee film hour long wish time devoted telling behind decision withdraw mutant everything action adventure movie fact exactly action adventure know machine bad guy world problem rag tag group come together stand machine universe stake movie special story done many come top special effects top hell boy hill better story better concept interesting mutant interesting setting earth film futuristic ancient time cool effects reminiscent sky captain world tomorrow together world war looking futuristic energy modern like machine long spear like susceptible rather unless really big know get movie like mutant old formula interesting movie exactly recommend anyone looking fun action filled movie fun way spend afternoon good fi movie wax philosophical war rape earth man inhumanity man would right think would losing sight fact fun movie whole watch enjoy analyse know sort movie caught glimpse fi channel found interesting quite bit seeing great price figured hey grade movie good b movie thoroughly premise future world kind society corporate future fighting last lots action thought effects quite good budget much old school effects meaning opposed computer probably cost effective acting pretty good name although much role movie dark side much lighting clarity really good sharp lots neat disc saw ago say forgot checked time like making good stuff make purchase fun watch brain strain good solid premise throughout grab big bag popcorn one movie lot lot better theatrical version usually director cut imprint longer violent version director chose remove cut theatrical version story rather important nothing make movie incomprehensible though ray choice theatrical version director cut get director cut took star rating movie theatrical form still great form seen longer version definitely miss ray give us choice sell least theatrical version available us knowledge besides issue really mutant lot dark story interesting new great jane cameo last leat great performance world war rule every inch globe seek control last left planet new dawn approaching selfish fighting machine beneath earth crust new mutant menace one destroy mankind sage cleric ancient tome mutant may key infernal machine must assemble team skilled accompany bowels earth battle unknown humanity hope survival mutant live action adaptation source popular science fiction role game graphic novel series name director underground hit lighthouse enormous epic type found sky captain world tomorrow sin city world visual effects team cannot confused cheap found many mutant incredible scale elaborate precise attention detail made fraction cost although mixed film impressive feat considering size film doomsday handled properly enormous talent amazing visualist mind notable like toro peter jean practical set impossible distinguish effects digital sense believability costuming weaponry architecture also blend past present future create unique aesthetic rich history mutant steady stream action fast paced intense ranging explosive gun thrilling hand hand combat enough also ton gory effects slice stab way countless spray blood screen jane major marine unknowingly role deliverer destroy machine jane perfectly year mist hand completely place ambivalent part film many also work create winning team although sin city sword mutant may become instant classic story involved nothing count visual style thin plotting entirely reflective role play given difficult task simply matter hacking slashing way heart machine simplicity easy follow emotional investment viewer film outside unfortunate shortcoming mutant one ambitious recent science fiction genre carl like horror mutant entertaining well produced movie fi steam punk zombie horror post apocalyptic lot enjoyable plot movie back story little weak really detract much movie verbal visual help fill action fairly easy get story world divided four corporate fighting control planet literal fighting old fashioned way surrealistic opening scene story band attempt last ditch effort save earth zombie like fighting inadvertently unleashed really subplot minimal character development beyond build viewer rapport main fighting action good special effects decent enough sell futuristic steam punk technology outstanding cinematography effective camera lighting colors except blood certain uniform colors enhance mood feel gritty environment watchable movie quite like zombie monster likely like one well also possible hook sequel seen mixed film lot leaning toward negative positive much think really enjoy film one may well garner cult following especially heavy cable rotation bit times effects betray budget really enjoy movie pop one viking alien monster flick outlander good quality low budget fi escapist fun pretty good suppose go movie something spectacular would disappointed decent action flick boring rainy day boring day really know expect movie got saw cool watching blow away anything thought would zombie type movie style movie cool looking especially ray upgrade ray player watch movie probably fault keeping technology anyway back movie fun watch mutant lot better thought would never saw used free like watch horror war sides something sinister great movie watch mutant note mild post apocalyptic alternate future world action flick familiar feel indeed much film taken self parody gently poking fun genre much way sky captain world tomorrow old action story set grimy world first world war still fought rule entire endless war interrupted unknowingly uncork mystic seal check mutant distant planet millennia ago religious order run ever massacre multiply quickly becomes clear earth evacuation high priest mutant horde taps star hell boy recruit elite squad military suicide mission put back bottle misanthropic anti team seen times predator al film conscious take advantage situation pause joke overly heroic obligatorily grim determined know tapping waiting action start might well little fun formula sam like way action really film second half pace becomes relentless mutant tremendously innovative imaginative movie high octane fi creature feature besides film get see get torn apart fine give joe film never movie right away suck browsing came across read synopsis ordered right disappointed good movie fun watch thought movie effectively set steam punk atmosphere story took place thoroughly pleasantly much film look movie sort future feel absolutely look technology coal powered flying awesome anything ever seen movie well small part favorite mine jane terrific job lead character scene end movie perfect director small budget definitely watching directed say great fun movie straight forward plot line unfortunately lot glaring tactical made awhile suspension disbelief pretty impossible world pretty interesting though would love play set world friend debate day salvation quantum solace predator requiem saying good said rubbish agreed end within respective terminator bond alien rubbish would make decent b right wrong decent b movie well thought plot believable effects good acting better unfathomable ways rubbish movie much case point cover inaccurate century slogan film set inspire run mill b movie trash special effects bad acting rubbish plot however plot interesting action better terminator salvation also decent lighting unlike plot pretentiously intricate miss minute lose vital solace acting also better say star direction effects actually convince world plausible war zone start like despite set future fact planet apparently run yet modern weaponry also work art million average zombie flick still surprisingly minor context film watchable enjoyable b movie course could wrong could movie cast true definitely live hard supremacy awful lot better action movie fun fi adventure predictable much better cutter garbage lately good war movie worth fact able watch theatrical release home thought pay see movie theater watched sons saving addition movie bargain highly recommend movie people like genre special effects good really aspect coal powered awesome movie mutant mankind one simply done make sense mystery give try hopefully already familiar movie otherwise look elsewhere review content movie importantly since like movie edition good rendition well worth price upgrade first time purchase movie one thing say listen commentary writer effects stuff director stroking ego believe actually fairly competent movie good lots action really feel like anything probably ever seen noir color sort like sky captain like competent fi flick care plot kind generic really make sense supposed popcorn flick never made ton recognizable impressive fact imagery scaled green screen acting honestly watch lot b b movie meaning typical made fi channel computer graphics really fleshed enough movie genre probably would shelled see really shame never made probably go time flop really deserve treatment disappointed cut first cut leaves guessing also happy either ending saw back first came bought collection good fi flick jane make movie certainly low budget fi low budget fi actually quite good depth sensitivity individuality much cardboard cutout typical low budget fi background well intriguing story interesting without major plot typical genre might want know zombie apocalypse style movie considerable reasonably realistic violence gore somewhat sub par although provided notably missing unusual region therefore quite difficult hard hearing understand unfamiliar comic never saw toxic like sin city however beginning film hooked long terrible short horrific made movie enjoyable many disagree decide jane gritty tough old combat vet enough look movie start go downhill trench war scene top movie one place allot big budget zombie fi seem blur together give shot less cup coffee might surprise great movie saw fi channel first ordered movie thought really enjoyable got see quite story fi buff lots action good bad cool killer good men woman save world thing movie made also fluff film rang true old fluff part done differently simplify plot well well directed good cinematography though could done without sepia toned flash used extend run time showing us clips stuff two prior tag team duo great job proving myth scientifically best come get blow stuff always trivia science based trivia even truly enjoy watching debunk amusing ways lot fun watch love fact watch want always great watch classic come know love worth watch seen season yet love start segment try home proceed blow segment driving enlightening great show usually watch right going bed learn getting great would recommend anyone typically episode top like latest still entertaining watch yes get prime watch free much say man always entertaining educational never tire come prove disprove theory myth daughter show watched v ago think great show enjoy watching actually first season bad course change watching evolve like watching taking care many really funny watching also done great job raising reality hard well natural lot first time see watching starting sick marriage clue watching p r struck similar office hate office entire cast really depressed time except two people p r everybody happy except two people basically happy version office character like female version modern family love little ignorant annoying sometimes still lovable like also say p r theme song ever star one pay love political satire production technique deadpan like office show really funny show really probably watch would recommend fun look back great show always find older bit clumsy following evolution show several recently new series really guess thought sort trend never watched actually watched found rather funny love like good time glad season one season one start bit slow get entangled show absolutely episode season one definitely continue watching even hooked first worth watched part first season came like like aged well looking forward watching amy series small town department quirky add fun series watch fun season short good introduction series laughing hurt may seem bit extreme first quickly rest cast said season one weak worthy pilot season introduction surroundings season two show really three four hilarious development office super funny definitely give season one wont regret cast show side cant say done making hard first season slow start worth watch told season recreation difficult recommend several incredibly short almost wish set secondly people interested show six simply enough give accurate representation show would blossom lastly bit steep set small set mean enjoy office huge fan good show turn time time first couple p r little mean amy character much time butt every joke thrown way awkward style humor short even potential side splitting however comes across mean spirited irritating said rest assured recreation quickly trudge first great madcap story refreshing view government could people like involved soon show goat sweet positive outgoing occasionally naive person definitely much much better female nick regularly steal employee employer respectively intern plaza little else season scowl whine delicate task many upset citizen best friend worn many times series straight man woman case instead boring character genuine warm often funny say thank god series regular season despite short episode order season thankfully good bonus cast producer cut season finale round package producer cut great tradition continued season well extra wasted hokey exposition longer camera staring actually good funny material comes season worth get good deal say around yes recreation quickly beyond office something much pleasant season become one forward every week need change pace depressing dredge give p r try optimistic feel good television right rarity prefer watched first season get caught back story find got format star public employee camera throughout work day fun reality fiction lighthearted comedy easy watch need wind work roll episode two feel better recreation show really nothing really funny enjoy watching season eclectic cast amy straight man love quirky funny city government comedy anyway pretty much office show different setting family friendly easy guess whats going happen next tried watching show couple times get love everyone cast find show funny finally sat thought give another try wound watching first season day one part office style along varied humor rock unlike rock watched show gotten better rock opposite found humor kind silly juvenile side fun get know watch absolutely television watching amy decided try fun exploring prime watched although love every single minute show good casting clever amuse run silly bathroom humor yet look forward show pilot bad funny small amy like exactly cut role similar office pilot good free like office try give try let see goes ever worked government recognize comedy true funny watched first episode recreation let unfunny unoriginal dull amy fan though decided stick see surprise improve better nowadays negatively based solely first episode would suggest watching entire season even agree first episode assessment like rock office show nicely style comedy par rock moment great mark incredibly weak character phase huge thorn side ensemble cast review show around backwater town pawnee local government amy surprisingly decent fey given quite negative impression honestly say amy best work date despite veneer average safe see story getting quite interesting special kudos nick incredible always gorgeous please make positively review shabby actress either overall free couple many worse ways spend ignore mark mark terrific cast make giggle every time watch really simple show humor sarcasm sometimes lost love show buy season two laugh loud funny season one show five watching season two understanding went back season one fill great exposition nearly funny later rubber government actual road human produced people office comedy recreation lot live fortunately first season solid little promising series first couple bit comically really middle season amy nothing short amazing ambitious middle level rather manager recreation department nurse amy vast abandoned pit loutish break opportunity goal fill pit turn nice little park even two amy little committee ann cynical lecherous indifferent crush onetime fling mark schneider perpetually college intern plaza committee overseen anti government government official nick unfortunately way canvass go awry bunch people pawnee journal reporter unflattering information project drunk fell pit get clout mother award ceremony go painfully awry along fashion sense trying join club alcohol scandal courtesy wine first post cast rock concert love life lead nasty breakup recreation couple warm full comic potential since first couple sort funny hilarious sprinkled dialogue halfway really hit stride show becomes funny got mix awkward embarrassed ann mistaken weird dialogue straight face go banquet honor bacon wrapped shrimp got lots hilarious absolutely straight times macabre disturbing historical fill town hall great thing back used every part pioneer see coming example pro park person gradually revealed pervert amy absolutely brilliant kind woman vastly importance local government sometimes line naive dumb likable passionately conscientious say weird stuff day straight face also good supporting cast particularly straight woman world politics lazy deliciously barbed woman chaser really fleshed full beyond snotty teen mark really good development last episode recreation season one rather slow plenty promise funny slide sleep getting really really good show many funny find least one thing like rock ended thought give series try funny enough watch awesome please know first season many still great stuff creative writing excellent stellar casting lot show rarely watch prime gave ability first time around bit slow start watch series season finished going season got better better watch good firefly season classic funny amy pretty good like extended night live skit good prime pick amy funny one note member recreation department somewhere perhaps first female president pretty stupid fan single minded building first park pit abandoned real estate developer fun show wish government job half fun season weekend loving recreation extremely well cast show problem acting writing hand could maybe use little tuning real problem amy character simply dumb show good barely planet rest cast park recreation lead surrounded rather outrageous often pessimistic character bit show straight man la bob various suppose fantastic office function ultimately role belong lead otherwise show great comedic potential could even end minor classic definitely looking forward take us hopefully much longer season special reportedly include gag reel six commentary music something hose cold open remember office good first came way better show series little slow season one bit reminiscent office strongly recommend sticking entire season groundwork season think series really shine watching season decided buy season disappointed lot provided entertaining fun watch prime since cable broadcast show fun think overt stupidity might wear awhile like support cast address small time real life first know happen pit envision slowly filled garbage laugh loud funny great cast great chemistry comedic timing great show well thought humor something different typical comedy formula great cast show go top still relatable give series like first episode yet whole lot better touching side road funny would say humor character acting personality slow pace move short first season watch like office think lead actress amy perfect part enjoy format like one used office reason rate five comedy usually enjoy hesitate rating ability type show first season recreation hilarious one impressive able make many funny trying introduce show well humor extremely dry ridiculous like show inside character table yet later season audience exactly certain funny needless say great kick season intensely funny series soon blossom season funny later seller shipped item quickly product definitely cute humorous realistic view small town administration familiar office pull new well good series come back watch later busy busy amy really show quite good actress believe watching soon show really funny worked state government office dynamic pretty similar seen later ever saw one first season great quite hit stride yet opinion first episode slow good following finished season days light hearted series best show watch eating mite show ever certainly worst show ever following series hope get worse funny season best work city funny little true sometimes style like office chose start watching talk need watch good stuff inspirational love show season lackluster later still worth watch go later first witty comedy like much day much better looking city government single disk fun amy likable funny enjoy parody government role consummate slacker somewhat overdone acting priceless recommend show part quite enjoyable get painful uncomfortable like office like rock like latter also first year good great show got much better second year set still season nice job setting sense humor come office fan shoo first episode saw got late game watching past catch spent fortune definitely different sense humor key great comedy every character funny like office take understand appreciate care office first time watched learned love got like like ongoing inside joke people find hysterical whereas cannot stand sight nearly stopped watching office going permanently different different like stand like like toilet humor like pie series green people like love never watched regular never similar stance office decided give office thought would bomb left stayed strong despite watching till house thank goodness latest addiction love camera weird forgetting catch n watch bib commercial free recreation season short season introduce nicely like amy made watch whole season go anyway character amy likable also somewhere end season start love well light comedy nonsense easy watch show since finished watching season well far good also really like series angry first name earl focus one actually enjoy love small town political lot radar comedy great fun watch favorite though always one favorite hard pick season better another beginning season getting whole cast funny got know individual eagerly quirky watched office figured show would equally hilarious disappointed kept coming watched episode side first season highly recommend show anyone humor office laugh lot watching show first watching show loving season interesting funny amy character female version office supporting carried first season show hit stride took character intelligent endearing way good comedy fun fresh show amy brilliant like nothing ever since wanting watch pretty funny series sure going like stop watching problem version watch spent money entire season still love show watched three although like show office much original show seen ever saw office might given five though thinking idea show came first certainly like enough continue watching though totally prime area well two day free shipping past year year half love cant explain much show laugh st season good every season better better whole cast amazing love shame fictional real married ever seen rolling overall good season watching bad thing great witty comedy funny unique second season really hilarious show amy character one seen long time since first season anticipate become seem good fun gloomy day find comfort zone pretty hilarious brilliant comedy fresh new never know expect episode enjoy go wrong satirical view inner local government like satire lot sadly true painted broad brush usually entertaining easy watch show watching continue watch rest available instant like office definitely going like recreation recreation much fun office many people like office dry humor different style narration series similar style office boring even environment similar much going recreation office think show really good entertaining entertaining show also something put high amy love watching show like type humor small recreation limited episode first season run show adapt version office also cousin style office show bound draw huge fan office drew show less satisfied also feature rather mundane work less stellar recreation get amy naive second charge recreation office fictional pawnee make difference like favorite female office nancy regularly town one young nurse ann fell pit vacant lot broke look problem crowd favorably overpromise ann build park lot ann skeptical promise motion main plot line series futile build park amy protagonist supporting series uniformly terrific ann character mostly straight man supporting often hilarious particular great comic creation equal horny flirt sarcastic troublemaker suck first season though show bit find voice revolve around get park built somewhat constricted way character involved sometimes believable spend time office work every funny joke set piece least one bomb however series headed right direction seen season good totally hooked recreation funny enough merit added watching schedule set extremely funny addition episode commentary show cast amy one six banquet show always well written funny great funny like recreation format signal individual share current situation signature office whose show also like candid character like character known behavior like jerry picked everyone always optimistic watching season three thanks prime start season one since similar office anyone show try one another similar show show practice doctor among different professional successful currently season six hopefully series enjoy bought documentary bought sold investigative documentary international trade thought good insightful film documentary evil around world lying ladies saying rich anything hearts desire find foreign country often times even either awful pay goes live credit barely enough live support left behind home documentary arent afraid speak practice ladies afraid speak mob criminal control speaking could mean death family even lady trying help far needs done ladies think many people still dont know still goes modern society think biggest problem much documentary wish longer instead still worth watch sad live world inhuman people greed money would kidnap woman premise better life sold sex labor slavery film must see every parent young also young give knowledge insight likely happen travel job foreign seem good true travelogue history attempt show place find spirit since th century nicely done worth least watching bad video informative chick video take punch guy hard totally back growing give really need deliver rest otherwise great video great deal information history learned better idea would like visit old film like series however sufficiently informative change upcoming trip hope better prepared story also group walk town tell honor lady tell story first lady given reveal church story many old video still apply first leash positive training dogs good handle dog positive fashion food phase food definitely worth watching thinking adopted dog good movie refreshing change usual run mill type watched whim used listen music back day pretty video fairly well done went depth concert footage whole series turtle press assumption video best series together great video first tell right bat amazing individual fantastic coach read testimony testimony former lady second great video super tiny location really use space well third perform throughout tape serious competitor might want see people practice higher skill would recommend training coach instructor seeing teens perform might give accurate picture personal class look like fourth video lot variety truly develop athlete dynamic competitor would expect less coming plus blast perform fifth never seen instance develop personal bread butter really insightful push seen ton style also great back kick drill used sixth video match management really interesting little cheesy awesome included video former well patrice awesome coach former champion watch say wow segment reuse ton clips kind awkward repetitive staged fight park little cheesy opinion beneficial could offense patrice soft spoken little hard understand ready crank volume rewind get really good seventh video inspiring champion really cool feel like talking person overall fantastic video must competitor coach fun high energy non stop wit grand slam cozy boston good good good feel good hope comes see person funny guy like persona ordinary humor well concert video evening retrospective miss life career miss marvelously articulate somewhat revealing never boring fan interested hearing door opening career disappointed video unfortunately bought video concert performance joey bond trip golden boy pseudo profundity corny outrageous pants little hard take form somewhat stiff available prime video said however excellent step step front back little like clock graphic keep body really help diligent patient learn short form yang tai chi free prime membership take note full entire form end volume unique short independent film crazy cast film place middle nowhere interesting plot surprise turns road film sexy contain would recommend film cute movie kind weird expect director famous great film loaded sex violence lot fun til end know expect watched film st time pleasantly sure big huge budget special effects film heart lot fun good film offering temporary escape quality film sure film yet film worth video move past title suppose trying titillating actually watch film may pleasantly actually funny touching meaningful film good movie interesting plot trying figure main working well intentioned would better title good movie interesting film far nothing like box office romantic used seeing first pretty put stuck soon found act react film subtly address several unexpected based title male lead strong yet vulnerable character really wish like world comes across harsh abrasive method madness see end back story finally superbly movie couple complement functional way rhythm may slow interested intimate look pair peculiar definitely endure enjoy movie also quite quirky funny make endearing love story self discovery self improvement another person inspire recommend movie anyone affinity romance even awkward young man trying establish connection woman actor open healthy intimate relationship connection movie traditional love story sense serious especially female lead reviewer hit nail head looking unique serious love story thought pretty good acting music direction fine female lead also wrote directed good job comedy faint heart feel good movie flick title ever privy experienced substance abuse sexual abuse subsequent film might renew sense hope certainly odd movie doubt accurate depiction way sexually behave could film tragic romantic comedy well take two quirky lovable young rather badly first life fall love watch happy ending guess funny think tragedy predominant theme male lead heavy drug abuse evidently living l female lead father sexually determined suitor depression interaction able face life seldom leaves apartment action set around video store three work three best intriguing aspect film depth complexity two main character excellent acting mean really theme done substance end film really know film good tear end like one odd main unique though secondary quite well drawn still provide lot good man works video store car also addiction problem past somehow liking one store female writer director soft core masturbation coming apartment make point genuinely sweet soul trying draw place introduce new somehow enjoy fact another human near far goes cannot get closer wash hair kissy constantly though certain see see able save saved even worth saving work two odd story dialogue get chew kept wondering girl past ended like nice nicely apartment without job kept going end found quite satisfying funny touching one scene bit scary like odd one son good movie plot kept would recommend movie childhood sexual abuse really mess girl cause depression anger hate isolation guy read girl anyway indeed special therapeutic love happy ending especially totally relate decided watch due title line misleading mean whole premise movie nothing cover thus almost give movie chance story topic profoundly acting probably director great movie overall reason give solid since talent woman wrote script directed opposite real life significant talk talent pressure amazed well written directed also acting good story sexual molestation sensitive subject done black comedy order make much light would rate took lot effort get romantic drama together sensitive subject often taken seriously enough movie explain lot sort viewer draw obvious conclusion nameless young lady sexually repressed real life addict background obviously sexually wealthy father bought luxury apartment brand new hybrid several obvious mental without said relationship someone truly based past pain someone end learn father likely nameless shop clerk initially even let know way story weird car learn later apartment building former drug addict rest well watch without like romantic comedy ever watched simply interesting unusual knew young woman screen love interest chemistry incredible many watching stop really thought entire cast good almost watch title suppose thought would full however strange little film think given much credit anyone sit still hour half sure find film worth seeing used interesting watch although really comedy make laugh lot time story guy fall love withdrawn girl severe trust average love story refreshing quality two completely engaging like romance little creativity certainly worth time absolutely movie quirky movie favorite film hesitant proceed watch movie title thinking would full persuaded little button absolutely regret choice similar would come running like crazy blueberry nights everyone know enjoy best flick seen long time shot cell phone got good production one best guitar effects ever film bit like smith group comedy quickly path voice boy girl sit watch sprinkle video together priceless good dick edgy smart funny great job adorable stalker weird know written directed starring one first obvious talent except comes titling think movie really great due unique plot story presentation movie maybe chasing amy unique content story seldom movie like show writing really know going happen next movie store owner give one shot suppose watching background props store least got customer correct giggling teen widowed old guy anniversary strange addicted gal feel description written well usage neither place bad cover art never happen film gave fair shot since hit story homeless video store clerk addicted cuckoo girl customer unbelievable un character fill screen two offender dad role many scary old guy customer worker crew little idiosyncratic slight comic relief story shifting love interest premise creep potential still sleep together motif film quality average option main supplement hour since went un way made home feel gag reel option actually funny twice bad take reel decent freshman attempt making totally obscure relationship film creepy people gave three film one sure outright recommend without innocent cover art furthest truth funny subjective title going shock value never stated film enjoy anyway good movie could still good without profanity guess young people people la likely pretty accurate overlook know story pretty powerful disturbing great job sure would better title surely something appropriate good dick one tag nothing sweet slow paced entirely character driven ultimately upbeat love story much depth gritty realism script appealing drew except perhaps female lead believable cinematic sense nothing film threw willing suspension disbelief came close usual scenery performance style part small almost end got past feel film well worth time spend even though go annals great still thinking day later think smile interesting reading positive negative film people main stalker trying find way love trust agree point think two real people would come together without constantly call would treat story escape fantasy type film ending disappointed recognizable bad dick maybe meant say film film sexual abuse seriously bad dick face would shown use non famous actor voice camera bug know kind understood film bit character knowledge wisdom let go past value important one thing say watch enjoy hope film industry would interested money kind film buffoon ton money bigger budget movie watched based title photo made seem like would different movie complex film odd still grow care leaves smiling end watching movie thinking finish something guy character said stalker get past see true love story really person needs love less brilliant guy need hate say saw thought must story seeing hung little longer watch end understand story several people living near college town one lovely bar maid nice one selfish jerk beautiful self absorbed two lovely taken course story jerk selfish girl eventually implode people change end result nice guy best girl friend end together jerk pretty barmaid lovely older professor click complicated acting good plot interesting everyone ended exactly without giving impression fairy tale ending intelligent witty look love study life one start perfect someone one really perfect someone someone everyone funny subtly depressing interesting talkfest somewhat unique overall found engaging free appear prime streaming service like read usually movie know get much know rate one couple took chance anyway enough give opinion like check would one look really drawn various character find turned fact even though know make believe watching forgot world felt real one caution though lots maybe much plenty adult romantic going nudity definitely mature skip one otherwise pretty good entertainment time used loosen week prior mile run definitely great video works tightness much love stretch video wish kind guide posted steam video begin floor title back min sec goes still floor use strap segment last segment min sec neck use rolled towel support neck oh bonus super stretch segment see old downward facing dog standard personally looking deep standing work desk day something music soothing quite familiar exact music liquid mind student studied listen pandora easy follow two props people home towel rope strap historian archaeologist associated foundation archaeological historical research series ancient times modern history perfect course fill left education interesting inside writer quiet simple person imagination touch core reader de point wont read story interesting story distant time ago supposed outwardly sexual author felt better remain unknown movie author controversial book could dry uninteresting movie book information author author life really interesting entertaining time story behind story story written really story author reveal many many later movie woven information author interesting already read book highly recommend read read fifty gray story beautifully written back story fascinating look mild mannered author widely read erotic book ever know really somewhat surprising woman wrote story tale male domination today social climate unfortunately must read use many good mindless fun also gorgeous absolutely amazing one better even end series show kept laughing like never dull moment son show say would recommend older enjoy program fast paced interesting story together quite well good total southland addict obviously first season would strongly recommend show anyone friend fact seen since first got product anything found anywhere else good considering first season admit first season favorite essential know going show technically first season short picked better ever better network quite par production formula network show disappointed southland closed gift husband deaf service understanding enjoyment want send back certainly would rather watch recently gave try really enjoy show well written well like la come real life interesting excellent show along fast furious times good character like many turns show nice show watch uniformed la police quite quickly showing outmost reality police job also real human behaviour behind weakness family without loosing main focus police story really good looking forward next watching great acting realistic hope show going despite title watched pilot episode demand fast paced interesting fairly realistic would recommend watching whole series although episode might need pay given success multiple entire available prime additional charge probably wait happen watch probably also likely come back syndication free somewhere although believe certain number happen expert love show language cable understand one season intended great program realistic comprehensive get quickly tremendous thank insight actual important development police officer good show true life drama police face every day enjoy show quite bit gritty determined think strong bit choppy watch think supposed add realism personally polling show around worth watching days complaint besides sometimes could make complete set best cop show wish end early good quality acting great cop drama series wish next season available although quality good really show favorite slow moving fan stream quality quality good great effort bad season understood overall plot episode thank heavens sub action little fast particularly following ben watched first season treadmill interest fast paced get episode become well defined find caught private lead woman detective fully fleshed young rookie beyond viewer might first expect definitely recommend phenomenal show stuff like wire shield though season one par either lot potential greatness share memorable also one documentary style drama television sound like big deal really show unique visual appeal season one full great read full review first episode new second season excellent series full action point view job home life worth price far u like cop life know series first came discovered action gem already bought second season watched one two multiple within story gritty fun ride probably end series realistic mix serious struggle also like cast look like real people might see grocery store bunch gorgeous pet peeve mind great narrative arc teeth grinding action plausible real world tactical viewpoint going watch order watching southland season much decided start watching beginning season excellent season right world without hand holding cast large show patrol day day job pace frenetic acting raw realistic show times like documentary drama acting excellent usually strong clear arc course season new southland season good place start came show late like quite interesting compare season certain dramatically southland best cop show someone generally fan drama though blue early law order consider wire one best time yes think southland best cop drama comes unique compelling different come expect police would recommend season fan southland series product exactly comparative review season see first season southland since recently last fell love show useful watch order understand relationship drama currently series however rather disappointed first season humor single episode story continuity season much police procedural though meet criteria perfectly reason focus drama working streets inherent humor dealing stupid public cousin told check series pilot episode interest cousin watched better think order whole first season see get hooked great show intense relevant enjoy genre really like series would recommend could used bit helpful indeed see process working leather artist encouraging kind mask making accessible even inexperienced great consecration use included little skeptical show first expect anything great least expect one behind little least funny pleasantly humor little crude side overly honest role group would joke nights series would hero band well great go daily try combat evil potty humor else expect show whose main character name backwards like little afraid little blue humor show like humor little refined show another movie available instant instead people love watch big screen instead tiny computer screen want watch please make gritty romance set berlin waning days p w foster sheltered professor daughter erika escape home bomb killing father forcing erika endure numerous rape murder charge mistakenly registered government prostitute brutal rejection fiance major erika side gradually fall love one film frighteningly realistic portrayal nation enemy even life hard come colors film almost sepia perhaps khaki tone subdued atmosphere surprisingly strong performance difficult role could easily gotten lost high drama instead subtly stoic seemingly suffering mel also sweetly charming performance similar role bombastic overblown officer obvious ulterior downtrodden erika surprisingly sympathetic unsympathetic role van delightfully slimy attempt force erika life prostitution best scene bitter german fiance erika heart spirit lowly soldier erika savior strong performance small significant role film almost unknown pity strong stark dramatic story remember seeing movie quite ago remember name mel search happy found shall gladly add collection looking movie one time lot younger glad finally someone vault never series must poor marketing publicity entertaining show love chemistry really funny finished watching series instant video prime rate try catch still air avid detective drama reader viewer series unusual view stopped finally went back one day nothing different detective split focus got really disappointed watch following entertaining well written interesting stayed true believable ways police also right amount timely humor network made mistake show good little series see make convincing walsh character gritty funny although story line original make show worth watching good blend real shame satisfy annoying great show sorry season see coming goofy crew old barney miller group normally get cop different added lot comedy break monotony mention great acting character hidden never knew going happen next great show keep viewer coming back give think really network would cancel great show leave hanging like finally find something good cancel bad move think could hit oh find next unusual like every drama kind quirky real funny good writing would watched watched first season available really program one season good like like way interact plot good wish would make another season interesting concept would like see go typical police drama potential develop interesting part covered special unit highly entertaining show lower east side setting lighter rape mutilation strong good show quick binge watch recall clearly see better made distinctive typical police serial definitely comedy drama take seriously enjoy wackiness bad go beyond season enjoyable good story great usual predict dribble days sorry get second season quirky well well good mix drama comedy sorry reach end series well character moment spotlight comedic spot cop humor sometimes laugh want point production streets l tried pass n really dislike watching say take place certain city see local instead frankly sorry watch know fate course find awesome show already got lovable hilarious heartfelt awesome action course need say sure one season done good show disappointed find another season watch great sad get last show season wish could get prime program witty fun watch interaction woven humor pathos sarcasm even drama unique yet strange bunch indescribable barely watching series wait see next episode funny yet show great good writing going series ran ago big star like like looking amber dating cross old enough father dating old enough grandfather enough imaginary love life refreshing fun take cop high praise since find cop dull predictable except wonderful like war death paradise get box get much good premise cop always pretty good good story look forward watching shaky grew intrigue want see season two female character refreshing love attitude understand fan cop three ever attention even long dragnet due droll acting script car due acting humor law order due though acting good else much rather spend time something else picked series watch prime could never forget portrayal see play something normal see act although dislike cop watched series made first three listed script lively quirky great ensemble believable full good superb acting direction film great music awful though theme show way loud one must turn volume every time screechy music every pain hence four instead five honestly music bad hard watch episode maybe watching three turn volume every five one want watch even series good music middle watching episode shop starting ask keep watching since music annoyingly frequent unduly loud even though established pilot good hidden police see hard policeman appreciate sides job pace good fast cop show like instead policeman action show though action short people want real drama rather shoot em series great resurrect least start cop show series caliber title lackluster meaningful think better title semantic range panache title needs panache maybe change would interesting title first show watched also cast story well written refreshing see cop show like cop feel like really got know sad season far show went wish season season really good show say pretty good series saw well known pretty fun watch take seriously good combination story line watch whole season different slant typical cop show quite different norm quite entertaining title nice filler show watch holiday break probably would watched would publicity like amber rest cast good job well solid entertainment interesting get drawn show enjoyable way burn hour show quirky lot laugh loud also fair amount endearing realize early series made realize difficult must police officer sorry series ten would consider series cult classic extremely watchable life like well written story good acting interesting make great take cop combination fish water buddy film police may definitive cop show may rely many cliche situational punch recommend enjoyable way spend hour yes sometimes looking man complex watch order get full back story leave wanting found exploring prime membership thought great show partial anything successful series talented script competent series quirky believable great dialogue really series wish funny intriguing great see got big dynamics make fun easy watch something dark watch never definitely touch buddy cop formula works interesting grow throughout season definitely worth watching acting good interesting group story around instead bad go longer fun police interestingly enough strange dark comedy least first bit twisty follow feel middle story progress first sure much closure single series show see continue love show like life cut pretty good hate force write review like cop drama good one even cop show something every fan see show acting drama cop lost partner find truth new partner vice captain mole weed dirty unfortunately show whole truth revealed still worth watch interesting quirky plot made mildly entertaining diversion kept coming back next episode action human interest balanced extent begin care inter even enjoying action story dispatcher time also kind hilarious say matter fact rewind show see dream always cancel good funny good funny entertaining show actually smile like law order everybody needs exercise really nice unusual show story chance keep quality original set used may ended fun series interesting along good pace would watched ended really story line show good cast every episode wonder happen officer brain tumor never find pretty good cop drama got little formulaic toward end really given second season see could gotten definitely worth watching although story line new catching bad interesting bad one season say put really light entertaining great excellent story line pretty good would five thought script tendency mail time time close episode pay see season get us pull rug us show cable would one season character centered language ready sophisticated quirky time thought good show kept going hate awesome anything refreshing show really like making series successful run mill show name great interaction among normal men steel wish one season show good movie good quite would recommend one good cop show used law enforcement officer realism outdoor comedy low negativity look days character back add interest also wonder series last interesting dynamic plot wide variety lot self irony value loyalty situation look close reality quite good without trying lecture people good change plot program goes one episode next know rather slightly quirky still good writing detective business personal behind however nicely short soap many seem soften pretty good definitely watch especially pretty good actor lot various much violence interested compassionate look human lot humor typical crime series good show acting especially lead seen couple far disappointed one season show like slightly color humor acting bad would nice see took show fresh well written evenly paced would recommend anyone kind quirky found prime huge fan decided give go part stays true police procedural genre clear dark gritty material many find stuck also like ensemble follow weave really genuinely funny times seem real could fun show show cast given chance really flesh like many well worth watching enough go round disappointment would rather obvious love story looking forward episode two shame go another season look close enjoy bit action touch comedy fun quirky procedural favorite amber main well get good screen time cut one soon loss movie gain guess since star taken four time tie ended story left hanging sad thing many become truly get read posted today agree never seen really good actor thing well fleshed worked actor role someone poll middle one watched likely mostly people live either coast going relate especially city may raised ca lived la even could related weirdness exposed day knew stuff truly unfortunate get picked terrific cop show around compare feel sadness unforgettable lady cop cannot even really forget past memory haunt say first time saw series obviously watch cable seven respectfully especially show also atypical police detective unique something different look forward subsequent never series watched boredom glad thought well done police force way talented credible one season negative comment offer way much private life simply care sexual anyone sleeping many times bed love interest please give sex angle rest great show learn little person interesting bad show ten easy watch serial one identify various rely central character several group also gratuitous violence sake must confess highly disappointed second season remember ever seeing prime thought would check watched three back back back thought great checked couple days later removed prime pay per episode bummer beat cop show shallow character story unusual cop show going shame would interesting see went good start watched first episode back watch rest good new partner watch first little kept coming back find happen next definitely entertaining drama comedy mix bit getting used like bring series never boring like upbeat feeling end solid little show sure got little goofy times popcorn sure compelling great entertainment understand show ago watched free couple ago longer available prime fast paced thought provoking bang bang shoot em show better first season series watched watching television amber good together supporting cast outstanding production well done compelling would recommend like humorous police drama serious vein well worth watching shame early try like funny cute like unpolitically correct puppy help laugh even though smack nose newspaper good see cop show sense humor like every day life probably bad show canada getting around watching via yes another show right keen firefly back episode interesting acting well done dynamic character rest squad fun watch oh well really like thought whole ensemble well similar hill street blues shame renew show uncommonly good excellent cast great chemistry hill street blues barney miller disappointed ended soon good supporting cast dry humor great potential great show slow plot build major antagonist edgy mixed dash quick witted dialogue good series wish come actress partner convincing love interest squad detective decent writing new york backdrop make good light watching two lead good comic duo funny rest cast writing slow title finish first season see see name supposed mash police procedural good sorry see end recommend anyone whenever free time watch series like drama action twist story story line fun humor cop show bad weak story interesting though one season apparently wish several could watch year long entertaining quirky fun writing awful main female character annoying badly cast enough said great show funny intriguing plot series compelling crime drama consistently humorous keep entertaining certain small show seem familiar remember actually sitting watching funny quirky enjoying along one death wish fear dying favorite also one aspect remember dispatcher sometimes hard hear definitely try make funny starting series good far interesting starting get know people title weird quite get one series gone several good funny show good chemistry two principal nice mix humor drama well written amusing sub wish lot lots action good character development good acting general entertaining series series name maybe best ways definitely interesting character development nearly everyone supposed sympathetic rich girl trying job sure cop terminal condition much jerk helper paranoid detective basically coward danger everyone works wise veteran partner broadcast secret precinct help contradict much make believable series season wait minute care series sorry one season made another one good series soon police show everything top especially really loud music think music much weird limited one season female lead really rich gal totally unbendable cop rich male lead cop small diner involved one strange boss totally unlikable second charge totally totally weird set one convinced going die fact sort die survive first episode sort grow watching really nothing regular watch really pretty good never series come across several series never watch enjoy show much couple cast well together believable entertainment like drama right mix comedy also pretty good show like female lead good well good would recommend interesting keeping broadcast whodunit little personal turmoil thrown credibility little necessary keep interest however ridiculous good basic entertainment worth time watch sorry follow available really series feel lot potential lot good biggest thing complex emotionally engaged see make right fly building like opening moderator comic monologue terrible done thing visually cop hat getting car gone show much would like see second season good show interesting character plus seeing contemporary worked treat first show rest cast also first rate disappointed season took bit become enjoyable program develop bit substance seem want dangle nuance long time show fun watch hard day work certainly one great time definitely average watched whole season great show wish known really like actor awesome job role definitely recommend friend shame one season fun action nicely balanced good story line nice cast familiar show potential real treat plot progression acting superb would recommend well done actually whole cast really good writing unusual got first episode quirky enough music interesting unfortunately one season see snatched something compelling see air would seen went show went uniquely creative crime drama show earth police drama theme neatly done comedic aspect story never show tried something different actually good genre typical law enforcement scenario thought pilot completely ridiculous turned really entertaining show interesting story quirky bad continued slowly show depth humor good sometimes show know drama comedy mix good like show mixed little weirdness common police show casting excellent believable good direction delivery extremely slow probably due system previously thought extreme system loading really show especially big star amber cute clever even watched series second time around like witty quirky like show quirky bring edginess squad room dispatch operator tone beginning episode end personal engaging encounter especially murder store imagine barney miller late th century sans laugh track series lot course last bumpy acting make work great little radio background quirky time show interesting foray dramatic comedy came talent went big well blend well traveled cop buddy genre along ahem unusual romantic shady stay past weird plot somehow works way oddly compelling interesting group unique set cast also interesting marvel amber another interesting quirky show rounding cast solid character actor unusual talent slightly center cop show back colorful bunch sorry show ended great series disappointed hope reconsider bring back great find quirky fun good plot good cast believe never broadcast one must would several gently unusual bend every way straight nope honest part interesting story nice see show made big excellent cannot remember show air another decently watchable series hit miss proposition fortunately gave offbeat semi comedy detective drama try grit take seriously real energy simply follow cutter detective story plot genre worth look great entertainment drama exceptional acting talent sub really great writing love love locale season available prime well done unusual cop show incredibly neurotic funny time watched series really first introduction like work sorry series two main carry drama levity well done variety hope available future attractive play well lead sympathetic varied interesting group contrast nicely nothing unusual except odd slightly reminiscent barney miller entertaining light drama comedy mixed good balance sadly series got know wham end season end series glad went big screen thoroughly available may watch get home really show ensemble cast fun despite many always strength complement weakness heavy cop really time everyone heavy drama time show drama honest quirkiness people tend saw show pure comedy police show quite bit become attached similar way still great older show h humor deal suffering daily really series seen like series love watching police detective show good one watch story line good pace good job big name headline part drama part comedy resist amber also cop show since hurt locker become huge fan check series aside show quirky yet poignant unique style presentation worth watching disappointed get picked continued somehow become aware show recently enjoying first season show turns series touching little crazy funky steamy angst rolled seamy type life living portray oh yes solve midst chaos street scene crime comedy precinct good acting character development serious enough realistic right touch humor kind wacky flaw spent career similar environment kind show bad one season wish really starting come together last working team chemistry took awhile accept amber cop actually decent job growing role seen much worse come back second season eye candy nice get past opening music fun show would see another season reason enough watch program hi energy unexpected sea average compete series addicted mystery series one well try quite entertaining funny dramatic unfortunately one season one original run shame would show continue wonderful character development fresh highly role genius know true star show show funny emotionally moving mix great wish remember seeing show first coming like trying hard watched show trying hard people charge advertising often good show comedy cop procedural drama even gasp sometimes good show individually seem left field balance humor light mystery first season give leeway serious tone would see second season wrap loose watched everything dragnet blue really police officer play one know great real people show deep inside could relate personally really writing comedic perspective funny well timed little hill street blues great show definitely would watch many watch pity give chance first season police show watched funny great acting unfortunately guess serious people looking silly people looking drama perfect blend guess minority apache gladiator battle death interesting concept logically could never happen due period location type testing probably view great came timely fashion though seen show many times great watch bonus material wish material watching order episode think fun watch thus far silly banter competitive yet fun respectful unlike banter stupid time blast literally see modern current used tested episode usual three took secondary role let former green talking proving overall lot fun watch watching scientific different fighting past scientific sometimes eye opening fake rivalry different pretty top love show season little weak always even still get see skill sometimes jaw dropping first episode one absolute entire show every episode fun watch like history probably enjoy show one childhood fantasy year old would engage night many sleep would win fight x expert warrior lineage wide myriad weaponry lot gory blood show guilty pleasure personal green samurai viking although somewhat concept warrior slipped realm organized crime nevertheless intriguing however concept warrior incorporate show collection criminally minded illiterate fanatically show ended season sour note would plausible people conquering course history therefore credit represent people insult long established fighting history people long relatively recent existence deadly warrior al included season surely hope edition may warrior warrior spike ultimate fest age old sitting around apparently would win fight pirate knight viking samurai unlikely match due different time region later series specific r wow really reality interview format ways team forward side usually history sometimes big strong man like iceman chuck showing demonstrate force gladiator spiked fist weapon could exert dead pig body sort medical professional hand come say would broken would actual body even take computer read speed calculated force victim effectiveness certain strategy part series smack talk end engaging like first episode apache gladiator hear lot oh yeah well gladiator much armor little knife action going good think even know quick deadly apache could shoot dead even knew bit exaggerated far intent show hilarious fun male fantasy fun graphics battle sequence two end episode talk skill intelligence strategy exhausted also bonus learning bit like certain historical times deal day day basis mostly happen use really old sharp weapon gel bust dead big much blood watching head get taken clean going see second season warrior th minute special season back blood second season one hour new bigger unprecedented second season great gang al gang think saw alias impaler sun bonus aftermath post fight analysis episode episode discussion went talking certain respond forum realistic host aftermath heavy accent entertaining listen enthusiasm producer another episode aftermath sum show warrior show came debate warrior history would argument raised show decided want another historical documentary also bloody gory possible accurate prop master season one wrap different season like next time viewer feedback received watching immediately great show great spite inaccuracy tilting toward western outcome gory weapon testing best use actual flesh bone ridiculous probably accurate panel decide fact watched completely wrong please ar factor ak ar even test please super would made mincemeat literally rag tag peasant beat carrying silly claymore going serve grave marker battle hilarious special disparity obvious fat surly excess crap hanging silly everything badly hard ass tool special weapon german preferred special weapon bet skillion except used tool battle since million skillion anyway show right outcome barely correct outcome wrong reason would win effective surprise like said battle last last last resort fun show though really fun informative look evolution tactics used historically particular episode gunpowder warfare young seem always fighting army men learn great samurai run wild warrior series lot fun fact use technical simulation great live action show violent show also lot fun watch root opposite sides promise come last long show true confession really like series yeah know guy show gruesome kind guilty pleasure really enjoy combat would win example fight particularly like evenly particularly like one favorite far classy honorable peaceful yet also quite deadly basic premise show compare chosen group compare another group might get instance al discuss various used much damage might combat test wood pig bit odd sometimes always seem entirely fair interesting nonetheless major combat simulation ran pitting two fictional via computer shown surprising sometimes group think might win sometimes heel never tell think show well worth watch history historical warfare warn squeamish might impressionable violence lot sometimes skip see ending final battle get squeamish interesting show second season looking forward wait see warrior underwater photographer show little wary watching thought going woman show photographer found show pretty interesting love every season challenge wait new season done see happening saw film tony award winning broadway play first never able forget must mistaken documentary real life elephant man whose full story regrettably remains untold despite lynch excellent film treatment instead might gone inside mind real life elephant man beginning film gradually body pose historical figure also speech depiction man behind mask gentle surprisingly brilliant soul came trapped hideously deformed body kept society almost certainly life considerably end see elephant man strange voice man seemingly came nowhere become dinner guest royalty delighted art remarkable portrayal powerful lesson underneath everything surface indeed human point well worth time absolutely love come great combination big boom laughter since make fun even screen see clips reason star show foul language wish open suggestion line show maybe something like web site seen chosen always intrigue myth long time get genre right one better lot get correctly busted always good watch solid addition great show whole show fun mostly factual considering range pretty rare anyone appreciate season nothing exceptional season still entertaining video quality good better silly love watch learn happy know watching something need worried bought season like kind miss like worked team often spent time showing process start finish still even great used still good show end show disc want buy digitally want ray preferably willing go want full awful bunch crap already bought anyone clue going discovery site say exhausted every line inquiry know bah great science classes middle school content dig content teaching physical science middle school high school many smaller scale much scale give year old boy fire something color neat happy hog wallow background e b biology earth chemistry physical science education appreciate approach generating interest science wish around year old age range wizard think go skeptical movie seen director first film somewhat movie really great unlike lot beat come come film actually cassady company really best way pay tribute amy amazing cassady life tate away unforgettable portrait man trapped ego music surprising hip look style movie classic fresh really one best seen long time even feel like less like movie moral poetic cautionary tale unfamiliar watching top gear good actor funny comedian really funny hell love clint typical part watching like also like dirty harry series good cop movie offshoot dirty harry still pretty good otherwise would ordered several movie remind several different dirty harry franchise fan era cop clint fan enjoy movie great get work together without worry getting rid people worth watch lot still watched series way cameraman sound man sleep subjected somebody film cast time sit talking camera actually times try fishing little often time caught one fish yet near water almost time develop interest would turn ending little manage catch train wilderness somehow station waiting greet happen overlook credibility enjoy little series watching sequel set jungle thing finally show thats set prime time people facing real physical cerebral hooked highly especially want nice change soap opera like survivor survival reality go one attention throughout lot experience back country see deal day day wild outdoors real survival show professional game show people voting discovered show looking something watch ultimate survival really good show season natural survival instinct amateur explorer really see pushing hard deep order survive harsh environment utilize whatever mother nature providing glad show provide escape point expedition unlike first experiment trapped wild three set bar high genre watching first episode bear get alive quit recording went back watching wild guess testament big prize money big difference person really watching wild good see positive group dynamic nature always good idea snowy worth watching group city trudge way tundra hunger cold good wish less camera men like survivor man watch next season yes yes yes yes yes yes yes scenery found refreshing reality people stab back succeed snow horrible alder bush minimal obstacle dangerous stream supposed people without experience field also bit team commentary shown episode back show un naturally probably spend entire days completely field without respite however think made good show good people watch city people also enforced important message survive environment together rather taking find criticize goes civilization well life field series great people amazed well fast bonded outdoors hunting quite series watch normally give whirl quite comical times interesting see definitely worth watch rendition capacity man woman conquer interest especially climate harsh bad start exactly would expect inexperienced people thrown field yet making end great amount determination looking forward starting season watched season last night really got attached really rooted pull watching bond persevere together actually fight lot also mused weather would able survive show would see practical actual survival us home also update returned home really enjoyable show get thinking emotionally involved good cain used research go vacation risky help survive emergency anything potential visual perfection natural beauty harsh reality wilderness well done discovery cast engaging times annoying overall fantastic surviving land something near dear heart show really enjoyable often though find shelter bit unrealistic well food experiment good show must see survival wish could would like test body would hard worked food easy great season wild people would love future seeing growth would normally faced make time become comfortable making example seeing someone city never hunting killing much anything suddenly faced kill food quit show gain inner strength act good show unrealistic party would beginning back country adventure fall let alone heading without plenty enjoy reality huge fan found one group people different given map basic starting must find way harsh wilderness civilization spend nights put show still tough really receive little help take care finding almost food stay warm constant struggle real picture surviving environment group chosen experiment mentally strong emotionally mature made better seen element half group work sat around like seen similar worked hard learned lot journey well generally worked well team reasonable educational value viewer although intent show intent follow journey group people try survive find way yes people learn survive wild drop return regular life yes quite experience could used preparation sent journey good worth time watch think believable real especially million dollar prize strong desire survive team player recommend nature lover great nighttime video lack substance lot overall cool original idea really entertaining action series took getting used find refreshing beauty queen great series mary someone knew real life discover easy like sometimes rude opinionated little patience people loyal fault safe regardless want one entertaining say pilot episode good get past hooked digress talking season season two much like home mother sister partner patient mary obvious love never would completely recommend buy set type cast well enough action keep interesting wish came prime good bye much like show would love see mary stand family behavior would real life get little watch take inconsideration family little far watched season show watch whole season eight series episode series season really thought really getting tired routine well could almost deliver along really getting stale series also tried every female actress find pair second detective everyone finally got smart gave male jeff much surprise really pretty good series another instance someone known almost solely feature film work move television used considered unthinkable definite step one acting career appear window really come surprise actor succeed feature film well television character interesting character also range actor series poignant moment silent moment really play maximum effect power behind acting eric also good job one charge really say miss predecessor frankly suspect could detective point series would take whole new life know difference l emphasis show case virtually emphasis taking case trial winning typically case sewn fool prosecutor could lose l make prosecution case big part show case thus l actually like detective cannot ensemble factor crazy short haired elf fly name acquit nicely enough featured make tolerable guess addicted vincent god lame well law order one good count suck suck bad writing show good seriously admire people write bad episode show better good episode almost crime show good also hilariously easy figure l first guy celebrity guest totally plot advancing exactly every third guy statistically anyway like show also weirdly l show easier stomach factor nobody hot good show lots turns interesting sorry one season gone longer ted head great supporting cast young story love love family humor core romance wish available ray would definitely copy go movie much beauty great lesson chose happiness convenience love much love remake film waiting film come cheating husband almost forgot almost show social class unit building panama canal great connection modern era contrast technology like time built used today always movie fine came works great however picture bit small may fill screen fully know enlarge even could k movie watched watch many times gift well recipient ordered another copy story many recently audio book movie many ago much recall movie found pretty much actual story definitely movie great story tenacity beautiful video china country good introduction cultural enjoyable great true story thought provoking get love hate downright eye opening great story really one romance added actress great vintage film inn sixth happiness based loosely life woman tenacious calling go china missionary known safety difficult terrain distant village despite discouraging despite overall film inspiring devotion god humanity concerned wonderful scene film young man traveling gone ahead mark path safety marking tree x white chalk comes across group making spit second decision create diversion drawing attention running way away ultimately saving costing life greater love hath man lay life friend picture quality ray absolutely pristine razor sharp spot really nice job vintage year old film release inn sixth time available available live china showing one university got excited actual correctly used amazing feel good movie faith based perspective unfortunately bit far taste new movie based true story much better much interesting scenery beautiful woman healthy ox something necessary ahead grown strong sense china get sent missionary tell would hard turn away remains determined go works many get money travel one domestic job library extensive collection china way journey employer borrowing without determined go china matter woman could use help works hard language one thing another step step everything falling place finally god china lead safety war japan wonderful story though maybe little long perfectly role teary tissue handy classic feel good movie typical major production time based true story minimal heart warming story time time one small simple person heart hero forgotten story refreshing go back see action well done joy watch good clean movie would recommend watching family night cold lazy day popcorn going cruise freedom interesting see building ship sometimes host little hokey show good version really interesting really big construction interesting point view excellent old movie excellent supporting actress young course cute spunky quite young kind female version another favorite old movie starring support local sheriff definite must good price fan always fun full life always great supporting cast movie total delight th century fox classic collection always picture sound perfect good family entertainment saw movie first time older immediately formed crush extreme fondness movie great comedic team wonderful timing kind movie make cute plot great lighthearted walk away watching film smile face wish would release could watch flat screen new york young widow two west start new life upon arrival man job dead hold town run corrupt sheriff ken gambler work find ranch hand eccentric female rancher restrained directed veteran director vincent lightweight western comedy typical western romp two one ice cream shop saloon fish water city slicker taking mud times molly brown character would come three later rather sweet really without getting sticky popular nominated standard second time around comes film though print saw song sung used without part underscore alas dance briefly timothy excellent transfer ratio anamorphic good movie unable enjoy completely since whatsoever scene selection great show overall amazing think build look forward show new season interesting though wish could less frantic would shown ship interesting look inner large construction lot us would definitely want used watch whenever came science channel unfortunately longer get channel due life away television host show strong nonsense host might find similar interesting show definitely everyone try season free series change much later great set season one new jersey far entertaining big fan show never saw first season great purchase wait see familiar area fun guilty pleasure afterwards may wish got back time spent watching watching fun well ending good movie love way run love hard play hard love much first season short enjoyable get know ladies gave four enjoy much destination gobi one enjoyable little known adventure sort along peck yellow sky scot men western taken little known incident group navy meteorologist led taking weather desert meet tribe camp near base make especially learning area get navy fly help take plane encampment leave night follow enemy rescue manage get back sea great movie available fox war classic collection print found region import one war film petition issue movie saw remember night great based loosely real saco combined put weather forecasting intelligence gathering territory reason write publicize two separate movie defective froze exactly part story making suspicious entire run specially burned flawed aware fact blame handled wonderfully anybody else time complete review today received number three charm image quality audio overall copy simply perfect story loosely based actual feel lot familiar th century fox contract led one notable job late war brain trust think many previously draft sheltered taken war wound uncredited cast actor loo long suffering typical officer educated actor strong also tribesman strong often seen military man many yet also seen sodbuster movie well worth getting one viewable unique story little theater war movie directed wise bring many screen one china sand great corrie available us let catch one van seen thank u help add collection episode already taken good buy filled void weekly fun premise quite project runway series better genre third season mostly talent one one less drama design fashion similar love talented young also judge much fun love fashion inspiring never gotten glee first came watching enjoy humor find funny somewhat relatable love singing show well wish would done glee club high school awesome hurting much much anything else went page page page available stream ready briefly glee season decided would watch one episode much surprise watched another another period week watched every episode season singing although high school experience distant past remember one outside glee club would even sing shower one must escape show one idle away hour two without feeling experience watching season two recommend story little much love singing love hearing done show choir format yes chorus watch glee every particular mood like cheesy pop show friend glad fairly idiotic times musical number great series like musical aspect show story line pretty stereotype high school supposed guess continue watch long extra cost prime membership like show glee get set still matter many times seen watching season may favorite older right glee quite awhile decided try prime fun show take self seriously music dancing great story line times entertaining show lots talent aa aa expect would enjoy humor light look social watch show since came finally got around entertaining fun serious usually within episode charming love music fun see got look like normal high later awesome hate well also love assembly second episode season good start new type show got better cast together magic got better go back remind get see great really like glee got time give watch wife lot season surprise gift perfect quality excellent find annoying people buy kindle video feature available region ever fixed fire full color touch display wi fi new glee happy prime carrying great creative quirky show love love season complaint spread many could bonus wise awesome gave glee really enjoy musical plot bit thin definitely would let watch show want something deep enjoy watching glee love music talented wow good fun guest creative story line laugh drama top sometimes edgy pilot casting got hooked pure fun love listening music show program watch times plot show best lesson learned learn music love music especially decided watch beginning since caught show season anyone music think would like within story put ring air special season show like people originally glee skeptical mean musical show watch single episode first season originally came across great deal via pick season gift burning hole pocket picked watched entire season five times row love husband musical related even watching think absolutely hilarious recommend even due subject matter anyone old enough remember mark funky bunch pick fan glee seen really seeing son decided whole show starting beginning much complete series watch beginning watch show beginning agreed would next show tackle excited lightly many teen mostly entertaining wish glee puck besides main p sue got glee new success story moment excitement still enjoyable watch every love glee well cotton headed ninny muggins right said nice day wow seven glee plus two bonus complete first season set well better since tried release season two begin offering rebate already bought road half season glee piggy backing tuned idol grew felt like outsider high school theater choir across country show religiously nostalgia pretty soon saw entertaining never quite musical show like one seem get enough glee along nominated outstanding comedy series outstanding writing comedy series acting lea jane lynch mike show ran away opening skit premise high school teacher glee club full underdog slowly team work rise greatness making club leading lady berry lea football quarterback leading man monteith self diva amber riley head forced drop coach sue sylvester jane lynch rough edged puck mark soprano hummel best dancer shy jenna two heather morris revolve around failing relationship wife lying pregnant mutual attraction school guidance counselor emma sue sylvester determination take glee club high school pregnancy coming closet romantic hook break interlaced song dance either sudden feeling help develop character guest season first cast wicked josh eve molly newton groff favorite lead break uniqueness win around check bonus first menu singing ambient transition music entire show menu sequence cute annoying fast welcome introduction new principal silly misunderstanding glee music video queen somebody love walk hallway sweetly slow motion also watch full audition glee club always special spot since song always used school college respect glee casting behind journey screenplay written decided work better show movie dependence upon finding cast triple threat sing dance act first person found lea important component show everyone else based around make story work apparently got huge accident car right audition front fox lot nail despite glass hair also great difficulty casting find guy could jock glee club member ended role character hummel meeting since unique interesting project glee murphy shorter casting process made marketing dance learning dance cast irony probably best dancer group always except daydream sequence jane lynch favorite element show couple short one first role elementary school letter another meet jane lynch sue way best thrown good measure several know amber short cute probably commercial advertise show video different cast journey new york publicity drumming ad support would easier probably combine one big video since mostly get different similar still kind cute impromptu jukebox mode show one another leave watch song dance even put shuffle also sing along karaoke version four alone somebody love keep holding stop appear bottom slowly highlight song dressing like favorite gleek great little distinctive costuming came character step glee learn dance first episode vocal adrenaline episode making episode journey pop star career complete music every incarnation possible background big challenge triumph everyone involved bohemium rhapsody final episode took two days choreograph four days get several injured shooting steady camera ankle breaking finger name reluctant watch series great pilot watching never seen first season glee part take seriously disappointment fact one disk play correctly chronic problem reading posted interested watching cast show interested people casting see season writing found actual reason onto season need figure manage seeing actual season love show ordered mother two day shipping could get quickly abdominal surgery something watch pass time took two arrive unhappy two day shipping extra excuse come week item ordered standard shipping several days glee glee really great potential superb program casting different character outstanding music good many also great choreography negative obsession immoral sexual major involved sexual escapade whether literal surely good comedy written without involve major manner also political correctness times way top might five star rating like music dancing enjoy glee long stomach story line bit dramatic singing fantastic really talented keep waiting start singing simple easy buy worked like charm easy watch video would buy best deal web box chipped side expect love music pilot episode outstanding relate trying belong accepted high school pilot less less interesting politically correct primary focus necessary could outstanding human experience series regardless series still worth watching entertaining music sorry never watched must another show maybe new kindle catch rest season absolutely love music cannot believe many talented one program halfway season cannot wait see love love love glee however copy glee complete first season received first one two replacement defect tried two different reason access episode three disk exact problem copy received show however great love singing dancing stop watching also got hooked masterpiece clever writing great annoying good ignore fun watch show treadmill go faster like chose used knew disk sticks really big thing less ten two separate case show damage little price bad next time think go something closer new however story bit theatrical even supposed high school shy away anything seem take mixture many tackle exactly one would expect real high school know one perfectly dancing part singing backed full band break forth given moment love bit silliness alone obviously love glee ordered set hilarious touching provocative satirical musical reason giving really would either listed sort list somewhere set could tell disc guess memorize though gave learned glee available free streaming may return streaming may buy could anything glee bad enjoy show immensely interesting see progress gone love glee think great turning point history musical show music family high school find home glee club kind like buffy vampire slayer without however usual teen even teacher librarian father figure help bad jane lynch spotlight musical teen soap worth watching enjoying without wish emma would married instead dentist carl amazed wrist slashing way fox full season glee come people get real didnt pay much first utter bargain great oh pay probably pay full box set shocking let tell first thirteen got bargain pay get give friend sell second hand wow bunch find fun release second lot nine separate pack generally doesnt make region guess believe one would want watch made buy full pack may pay luxury choosing best almost region find personal life aspect faculty boring sometimes much singing enough acting gave music acting great go real life teen entertaining show watch hooked full wonderful entertaining music beside remind many past similar like show bit cheesy fun cute watching first season times unrealistic hokey continue watch show onto season came glee late watching summer get progression first season glee disjointed way get story got weekend free first watched went back amazing taken play like music find glee person favorite episode lady great show ending masterful never know win first year interesting character development looking forward year hope keep good work figured reason like show much funny sad silly tuneful recognize music lots great music interesting found bullying top everyone school anyone musical talent level harassment one small group would never continue year ignore might get away mean girl act big burly football physically one anything hard imagine fortunately musical make talented cast first season glee good season looking glee first time stick season make hate show one best understand one diversity nothing cream abject curt rudeness jane lynch intolerable first season glee one wonderful show cleverly written produced really great talent rating star show fox ray ray take unreasonable amount time load player show bonus feature additional wait time presentation slow loading collection one excruciatingly painful wait bonus interesting somewhat anemic many available previous video release new fairly short provide much detail strangely lead character appear bonus material information show would nice considering size scope ray set get glee video recommendation save money aggravation buy set love show based quality show would give due extra none new seen kind disappointed honest really follow show watched likely seen extra watched hulu come across clips least links clips would totally recommend show glee morning music moving light enjoyable fare stand way sue need clean act come come better character worst ever seen great singing would first saw sue one even set kind example grown see originally first part season glee season vol road couple either order glee season vol road also currently available order fox also coupon believe idea behind fox first part season long mid season break people eager spent waiting fox well sell unaired set like going great got glee cheap missing special know certain part episode missing place case get fully entirely care special get friend still want fine minus missing quality good like new everything p sometimes sophomoric story always music group really sing present wide variety every episode great wait season two right present season music show good acting also good would happy watch finally got around watching series distant past everyone talking watching glee looking pleasant show watch knitting glee well well stylish clever musical ridiculous dramatic fun slow receive option took almost days get mail stop motto cast glee three glee extremely peppy upbeat musical comedy following high school show choir new interesting mix one large version never make easy protective director old glory days vicariously along unconcerned principal guidance counselor androgynous coach determined run glee club ground life never boring small town glee first may fox network air fourth season glee murphy brad originally written movie based high school show choir murphy brad also worked horror story nip tuck together also written popular warner television network opinion find pretty hilarious two three glee also write horror story nip tuck three seem like fit category must warn show highly ragged said every mean thing could possibly think say overly perky sorry excuse musical show watched recently watching pilot show hooked glee top obnoxious hyper wrongfully high school almost every aspect deny humor amazing vocal talent every episode glee well top forties today matter genre dance number pair song always find singing along tapping foot besides musicality favorite thing show hair choir director beautifully curly hair sue sylvester arch constantly witty briar patch product always crying rolling floor hugging sides glee horrible excuse high school comedy personally find ridiculous almost every cast member sixteen year old high school sophomore actually twenty five older wonder warped perception would highly recommend show anyone music aware broad generalization true show everything kiss think series back talent screen see much delight see variety music covered modern unfortunately third disc play able watch order delivery painless quick treasure glee times tackling like teen pregnancy gay bullying divorce humor wit musical also amazing produced version stop believing even better original minus one star ray gave taking many play despite latest likewise grainy almost think would gotten quality player like think enjoy show story line want see turn never seen original lot fun watch lot talent keep watching caught make happy far removed teen angst watch like music almost music also enjoy story line cast would probably like better like far bit drama along music see buzz overall set great quality need repeat good already one thing miss whenever want see single musical specific episode need go find episode number looking play appropriate disk beginning show set standard trying copied musical beginning resurgence music appreciation music seriously idiot known would play exactly th century fox home done believe look series buy season x volume x anything oh wait line show complete series set buffy angel right universe u dub sub season one finale tonight new business model prime example buffy vampire slayer good little fan boy bought season mostly came mostly around season release together similar firefly series set instead fold cardboard plastic original release complete series set chosen collection buffy vampire slayer collector set additional bonus material wife really singing current music teenage drama continued season singing well show entertaining teacher plot well put together always keep want see like music like show plot show coming back great find longer program air enjoy really like fact relate story line go detail production story behind series plenty people get information series focus production content check description see whats included one quality product superb course even extra help understand nothing major really neat included extra content really nice give really nice show kind boring particular good seem leave best guess also matter personal taste viewer package nice sturdy really important detail dubbing dubbing quite bad great case since live costa must family first season want collect series must subject matter little mature younger love deal teen pregnancy sexual orientation great season get going weekly session music dancing show week best glee fun show always count good music several guest added music fun show sure bit silly entertaining gift granddaughter giving weekend something expect love plot good sometimes repetitive target audience young guess plot somehow weak enjoy music glee daughter trying catch prior loving glee great show sassy unapologetic outrageous fantastic fan cover love almost every song glee much big journey fan think rock journey many take guest bonus treat start beginning season fantastic honest take ever see everyone clear two different part set road road one entire season one set already season part purchase season part purchase set humor social conflict lots eye candy show lot potential got hooked glee mid way second season already love went back picked first season greatly since first officially hooked glee however see first season talented high school musical grease lightning revival mature level glee younger crowd like something talk stellar first season new musical comedy show good bad overall awesome show especially like people break song fault product like special audio lot song dance always enjoy also lot hilarious get two life life product exactly brand new wear shipping satisfied product probably fit usual profile audience show since found memorable almost music enjoyable like everyone else real love hate feeling sylvester season two still enjoying order st season glee came today wait start watching know got bad copy first episode cut sound pretty annoying randomly watched another episode special problem lot fun disc set way tell disc put would hard slip guide looking forward many glee enjoyment hope never watched show like music thought would bore actually enjoying quite bit plenty humor politically correct nonsense could without music quite good gift daughter second disk play glee season exceptional show glee high school drama soap opera comedy agony ecstasy great music although show rapid fire broad comedy classic pop core group sympathetic pull glee closer c though lot soap opera melodrama like ugly betty vacuous teen drama pretty rich neither fringe curiosity glee outside looking part something enjoy enjoyable watch strive watching first ray watching glee see season pretty solid definitely check next season generally like episode opinion one good song somewhere rainbow sung puck amazing rhapsody vocal adrenaline never song much episode funny touching part sue great though late huge fan glee since keep decided invest first season birthday money really included regarding informative interesting also like fact return favorite musical whenever want would recommend set anyone program blue ray edition blue ray compact content original glee many finished watching yet well worth money blue ray first season type music prefer season popular still worth watching great program first season glee cant wait get collection nice light diversion violent produced days something watch unexpected bonus actually interesting somewhat major substance many available free seen bit small lead show bonus clips information show would nice considering size scope product time load player show bonus feature additional wait time half minute slow loading collection one cake new york simply hilarious dramatic yet hilarious wait watch another episode get home work movie get see side portray sympathetic character actual towards another character saw movie poster film museum see yea finally found copy scoutmaster made refer user simple charming offensive suitable today would say past use date little movie like never die remain forever mind far longer day rubbish movie believe improbable one could imagine rather eccentric nature used sharp tongue waspish manner master subtle humour odd though might seem capable actor many acting ability serious comedy scoutmaster also fine character actor cute child yesteryear perfect match serious rather expressionless scoutmaster story snobby star concerned touch younger generation reason show failing become boy scout leader effort touch mike cub scout personal secret always turns scout troop cub present nobody aware reason reason however mike child ashamed home city nobody know scout troop companionship something never home story full many little talking experience cub scout leader movie may funny ha ha many amusing touching good respectable entertainment funny nice movie often told perspective especially music recommend documentary sensational shallow although mostly put winehouse music context almost lecture musicianship school musical mostly music winehouse musical language copy history seem assert winehouse paying homage take jazz blues rhythm blues almost fine artist would put forth formal great deal real soulful artistry excellent winehouse context seen musically savvy learned talented presence winehouse none write play winehouse sing mission life musically difference gap wide winehouse graduate idol school singing never produced one noteworthy singer sense informed artistry talking th bosom winehouse entirely deserving look unique talented artist point view music history millions around world four sure hell artistry musicianship overly sentimental head bar done manner ego song sense music almost afterthought vehicle convey fame showboating winehouse music much front center excellent job showing clips vintage music winehouse choose believe leave body trama family occasionally feel like even mormon inspired trying good one young man everything right finally personal expectation grandmother trying hard keep promise granddaughter recommend like feel good grandma promise granddaughter let nothing keep promise fantasy part film perception heaven like comical movie florence always great really corny probably realistic enjoyable entertaining movie like enough watch twice film whimsical view fact often talk grand feel talking also true belief grow movie good great cute story love relation nana granddaughter bit fantasy bit watched think awesome wish might two go unlike lot jerry lewis comedy movie also serious interplay jerry genius slapstick witness bellboy single line movie situational comedy straight easily comedy like old classic like jerry lewis like movie seen long time maybe computer film could clear know old film movie old still enjoy watching show think great show unwind relax right go bed enjoyable diversion series comic interesting voice talent story refreshing original satire love sure many times watched three times watch show time enjoy watched like son autistic show give desperately need love show awesome demand good price well thanks lot decent show quality good would recommend good inside look particular scene came edge chair entertainment never less well worth look see animation nice story fun engaging personally watch unless gone would five better context although personally like know much plot development watch film kind guy watch want experience movie way meant told book written according one analysis allegory occupation japan allied post japan voice current situation however film allude specifically whatever think meaning film end day great morality lesson respecting forgiveness technical make decision voice cast carol seth year old heart would recommend movie really movie think enjoy really good movie even though worthless windbag actor minute feature feel movie great funny great graphics sometimes boring movie great see saw short hard judge whole movie short sample mean critical series like said quality animated series acceptable modern animation however series built game engine level coolness needs respect series story line well done consistent franchise great mostly cue action sound effects top notch dying terminator action nice hold turn away facial show talking get little hard watch rented movie right away knew going action thriller great movie cheesy still great terminator salvation fan getting like terminator buy alright computer style cartoon worth watching excitement actual movie real good bunch video game play together otherwise alright part may skeptical first animation made video game technology quickly forgot watching story interesting programmer hacker importance network robot despite constant gun still seem like intelligent fi art film fact one character anything cheesy like come want live back truly intriguing look blair get see much leadership role series terminator salvation character movie like series quite bit much animation thing really big old series conner bad suffering terminal rectal cranial inversion sigh terminator salvation series taking place movie premise following blair several one survivor whether foe mainly cut game put together divided full movie would better still seeing moon worth whole really terminator fan first generation enjoy good bit action younger might disappointed graphics used next generation video first movie series research learned terminator salvation came get main character blair one terminator salvation series place prior movie learn blair character movie salvation option play together individually also comes couple special making series profile blair keeper think probably best four rotten scale clue amount thought director team put making film watch show maybe notice unusual use color film making never watched movie stumbling across never importance architecture film effort director team put showing audience use big correctly offend like would say give watch really series learned lot keep mind suitable good enjoy well want come back see next watched war available never disappointed interesting well cast sad get end series like good friend move away era always interested make real war finished main great interaction really show interesting funny continuation series would enjoyable seen preceding though sometimes hard understand sam outstanding conclusion make sense history buff like good puzzle enjoy series watched six would definitely recommend deal forgotten glossed psychological depression stayed behind home truth war damages well need said kitchen series great previous four series closer end war well fun see different time really exactly sure great series season sometimes uncomfortable sense series end realistic entertaining honesty times hope see based history like entertaining series historical importance show sense people went war weaving murder story war great series loosing hour two show wait excellent fairly quick moving audio super clear could actual production mumble bit would recommend sometimes get better engrossing series start finish good great acting likable real life like story time place us know one needs nicely balanced great character major supporting superb first rate mystery police show excellent acting fine top mindless intrigue like many contemporary scrapping nothing else going great music believable explain attraction series wife get enough try proof great entertainment require car kitchen portrayal top drawer honeysuckle proper amount softness movie werewolf special could better need whatsoever kung fu howling refreshing diversionary tale serial killer anything run mill always movie background clip included bit real hostility course always hero turd love hate bought video rented full useful information much information get watching instructional video recommend watching find quality video pretty sub par probably watch thank saving rainy day rick good job showing extreme four wheeling us would fun closed still open good see trail like bought four wheeling well one good video year old son show remember watching long time ago use love young boy girl need time would recommend put go need great baby sitter show since prime space madness rubber nipple love humour back nick nights good giggle time glad prime available funny show use watch time get enough must watch make mandatory remove field allow select star review awesome indeed happy happy joy joy still amazing hilarious fact picked sometimes weird often gross always imaginative watching fun one first adult besides show absolute classic look forward coming view watched like space madness classic almost good rocky believe stupid show still show therefor still funny much say crazy funny hilarious much used love getting every morning watch pleasantly find instant video watched show college favorite one forgot say seen kind unlike grew bug bunny man brought back good l younger cartoon good back saw goober use watch came originally take time watched time hell really took back school watching every hi jo used watch great show still relevant today awesome cartoon think artist though unfamiliar early please understand neither mature like say example south park able mitigate crudeness cleverness humor total adult appeal less profanity overt lewdness yet maintain feel vintage wacky cartoon fun many running many many become idiomatic sometimes gross factor cringe overall level absurdity comment every episode set several absolute son well almost touching drama emotional attachment flatulence invention hysterical iconic happy happy joy joy song sort bizarre burl tribute fan club hilariously mind fan mail top side splitting rubber nipple great set sure like big house blues footage used opening army keeper cheese missing best collection definitely several nick turned series mindless disgusting unfortunately looking classic r like still go show first second season uncut giving show especially bloated sack protoplasm stupid happy happy joy joy magic nose nice way entertain learn valuable recommend month old full music follow along great another culture little absolutely love ni hao learn much love especially comes tu year old watched show year adorable hear speak response good show want watch sweet cartoon without violence anything really bad happening yo show similar usually one character get mad sad disappointed act sometimes yo mimic otherwise good show eighteen month old daughter watch great age appropriate show like basic across multiple actually learn plus short unlike sesame sheet daughter say grandpa times participate interactive like dancing tickling sun encouragement painful watch either granddaughter excited could watch prime member made even better granddaughter one think fantastic like good bilingual bought yr old love much good stuff son really cartoon thought taught maybe learn show age year old still watch year old sister longer top pick cute like taking turns good friend neat show something new every episode learn new wish could use often show funny interesting full new see elsewhere learn mandarin china culture interesting story one daughter read good cartoon learn along way also good little without preachy son lot fun watching kai lan son work together solve friendship good conduct plus language interested learning since thee th grade always good message kind helping learning nice show daughter old granddaughter watch show simply drawn generally develop child acceptance theme show would play along get along great show teach treat big nick watched many times kai lan show great teamwork enjoy educational material learn problem solution reveal solution kai lan always song daughter watch show often must say equal watching learn enjoy learning language way good show little end watching stuff like cute educational way learn entertaining educational year old boy watch time show great five year old cannot get enough fun educational helping learn morals listen bit little girl animal frolic around teach come fun daughter kai lan even phrasing problem show people rough ask play gentle way describe similar explorer instead also interpersonal academic learned lots good mandarin vocabulary morals really good wish opening song fast flashy try show daughter kind stuff skip beginning part good compassion understanding complaint sometimes use without explaining could little show cute good like watch sick sue overload realm toddler preschool entertainment said ni hao refreshing dealing embody hope practice hope necessary unfold family enjoy ni hao kai lan great show learn bit even better episode little express deal great show downside part evil side unbox computer access time terribly slow speed general worst way access ever find different format buy elsewhere pretty much everyone unbox good reason pure evil anyway cute show good beginning learner love help understand time series series add collection weekly finding people gone missing intriguing watch love friendship main grew different show enjoy selection interesting twist every one truly must watched cheese glad season available show always without trace ever always unfolded great see since fell love watched yet looking forward seeing fifth six would play return window days time got around watching last return window stuck incomplete season one play would buy watch immediately love series however spent much time waiting become available purchase get home first disc non readable tried computer also still nothing happily rest work hope next season finally deal really believable series fantastic cast worked well together fact afraid cover quite heavy really series general film aka mark mau mau min color starring dirk earl basil another invasion film mau mau rebellion early example terrorism brutality atrocity many lived fear mau mau raid mau mau blood secret society mau mau made terror extreme although white many extremely particularly night household racism prevalent white community better approach would recognize white concern safety murder home invasion accurately fear tension period fine film absorbing exciting still fan dirk another winner illustrious career product description editorial review check site bonus photo hurst director date birth northern death dirk aka van den date birth march death may quality picture sound screenplay original music cinematography film total time min general film mau mau uprising mixed bag plus side going hurst directed film pretty exciting action thriller several tense fine cast although principal never left second unit color photography shot almost seamlessly overall film story dirk help brother work farm discover mau mau sibling refusing let group scare stay run farm romantic companionship daughter owner neighboring farm friend local police chief whose primary problem sure native gone mau mau produced bloody insurrection still going film time expressed toward black population white unlike negative expressed toward made world war thus watching movie today listening certainly one feel uncomfortable indeed probably made sensitive enlightened back feel uncomfortable going watch otherwise well made picture must put perspective time produced v c entertainment b dirk help brother run plantation met friend told brother mau mau tribal terrorist group wanting white man running plantation soon fighting mau mau interesting film less accurate historically good dirk academy award winner bomb either rating movie note r format nice love story much sex dull whole movie nice movie great ending love good romantic comedy one lot fun look forward watching romantic prime engaging tale independent kat journey discovery young always bear explore life instead home end assortment interesting odd film best obvious low budget certain charm every frame music video historical documentary interested found way music love many people like worked closely time period covered jersey shore music scene area plentiful want know truth early career documentary gift son huge fan show every season glued screen excited see next season also taught stand ground make difference whale perfect example bravery passion hearts risk saving wildlife japan us eat us northern hunt kill eat due tradition feel way killing would prefer us take lead stop whale killing say high mountain killing bad two season currently plus eight season big big list price currently new edition season billed season complete season complete season big price difference get extra money identical disc paying extra episode list running times disc turning future sun birthday surprise big beach kitchen reveal disc battleship barber dude ranch dress movie catch farm table tea party time organize school days water ask bonus story hour interview disc top never seen gymnastics baseball crazy life life chopper episode plus bike bam th episode first plus amazing kindle fire great quality clear blurry many highly recommend plus kindle fire military channel always decent fact free prime membership definite plus beautiful cinematography especially interior villa highlight melodrama set based upon novel name story around dick diver warren mid point marriage two frolic later lengthy psychiatrist working private clinic extremely wealthy stock market patient suffering form paranoid schizophrenia childhood abuse background realize latent destructive fear men warning older wiser college great girl cure time see warning background excessive drinking loss purpose dick gradually becomes sane resolutely disturbed behavior weak strong strong becomes weak one scene little girl becomes left glasses house party becomes nearly tragic senseless death north convincingly alcoholic former composer friend dick decide return clinic dick getting back work give life downhill marriage continue witness downfall tragic hero comparable exactly like great hard tell dick really combination cole porter course based upon wife story reason watch buy generally miscast role diver st early bond girl days plain bad rosemary dick later abruptly life like rose colored glasses noticeable terrific sarcastic dissipated depressed ex great coat divers unfortunately never given clarity way among left imagination although think book would much clear read many ago simply remember well especially transformation character personality ending scene virtually movie leaves us exactly sorry certainly sad woman something almost surely bigger life left thought dick love expense character decline ah supporting add drama older sister baby warren one ever baby corner rich powerful determined control sister life much past sibling rivalry never quite resolved end baby go dick away villa life leaving two behind think simply gone time written acting superb nuance kind attachment much analysis real existence chase happily ever remember popular late place episode get topless dancing middle road toilet wrestling wedding fuzzy surveillance people making parking garage narrator bit annoying times little top nothing unusual type shock value somewhat since similar video although still fun entertaining watch ever feel guilty eating meat kick back turn show hate much willing eat raw great series watch humor would highly recommend anyone love show would like boy cow bull imagine confused going grow learn son barnyard well frozen finding wait finding dory come thanks listing much video although season slightly better still watching back barnyard season story line daughter show st season prime account decided purchase episode season could check always gave star rating barnyard show smile writing character development always amusing imagine live complicated secret life looking askance human even thwarting particular get hilarious without silly childish definitely adult mind candy able hold one interest leave laughing afterwards get cartoon surely high drama final star reserved human acting talent fun lighthearted show year old admit reason give couple used often son picked jerk main one appropriate worked far one sassy cow get picture absolutely cute show full length movie excellent cute series year old well crazy neighbor lady best back barnyard season house looking something silly fun clean watch found great time spending laughing show picture quality beautiful well kept laughing happy good movie technical picture quality really good rate movie two great television right catch whale set better whale think catch gotten bit repetitive still great entertaining show like title nothing seen seen catch crab big boring say love new boat crew featured watching catch third season saw episode man water since first four season saw part season however person posted much season ordered quite amazed past however real tragedy hear away heart goes family curious see boat find season six three half sarkar raj political crime drama sequel ferocious take godfather edition principal back specifically real life father son gorgeous new bride board well sarkar musical comedy much romance supposed take movie seriously crime lord much unofficial influential governing power right people much like godfather solution arbitration sarkar told time coming end active power passing torch son sarkar raj later settled new role decisive yet still much welfare people entrepreneur sweeping power plant project proposal however optimum site power plant rural would plant built quick see long term ever struggling populace reluctant father consenting project goes talk soon resistance form local dissident daunting verbal sway side violent promptly begin power base always rooted high regard trust common people insidiously unknown agent whittle away power base think stop right except say stuff far tip iceberg serious going film first sarkar raj quite good sarkar still dang watchable especially seen sarkar curious fine crime drama political thriller even slow sarkar raj nature power erosion soul true even kept alive ruthless gray world common people turn succor judgment power willingly sarkar raj stylish polished cinematography confident acting movie good screen awash sepia brooding dramatically frame many close speaking show considerable acting intense dad masterfully taking film last half hour weird end name decent film really good latter last scene comfortably tea household set possible sequel way first film since got married downside sarkar raj two five long times film length story really sweet time furthermore go overboard ominous chorus probably get tired several come trite specifically dealing confiding could see subtext beginning feel sappy romantic subplot kind curb come think goes relationship wife say though ending satisfying wrathful sarkar conspiracy together proceeding get sweet vengeance say three half sarkar raj demonstrate acting family good chronological documentary funded government agency disinterment even though still voice people daughter get enough program glued season daughter man new york accent love show able catch buddy crew happy prime thinking getting prime fast charge shipping also prime good whole family caution make hungry ready season unlocked watching show cute entertaining amazed create show obviously staged would probably boring like pretty much family friendly occasional minor cuss want see done cake show final outcome wonderful behold drama old like watching soap opera sometimes hey still great stuff see learn show laugh watch family dynamics see buddy suck fun watching screw fix great hilarious family show interesting dynamics watch beautiful wish could make like show wife learn cake making well creative entertaining reality show setting favorite show paolo looking like young shiny jerry charming cool looking accent always pleasing regardless authenticity wearing outrageously mediocre western knock style season even yoga episode roll last least please freakishly hilariousness german baron duke prince thing accent ridiculous sometimes hypnotic thing show jarring something nasty woodshed really sometimes broad entertain like tuning royal want pretty paolo enjoying idea doctor main character biggest enthusiasm killer watched hospital administrator charm bloom new relationship two nice people boring worth fast forwarding pass clothes ugly momentum series yes beach background stunning see similar burn notice beach real estate know good show politics influence honest person way life always said happen reason usually better ways rich different rest us get sick get hurt need figure ache royal season one doctor beck call right mix everything luxurious living weird medical crises fair amount humor hank mark successful young e r doctor new york day wealthy trustee saving dying trying distract brother exclusive party palatial mansion reclusive absurdly wealthy woman nearly party hank save privacy result soon new concierge doctor wealthy along physician assistant work often see flint administrator local hospital among breast implant epidemic bark mystery shark bite hemophiliac mystery afflicting senator son ballerina horseback rider illustrator since hank curing people making money also care people afford best person needs help may also normally watch medical every time try develop massive case medical disease end go watch psych instead fortunately royal relatively light medical gore despite flail chest episode biggest problem hank sometimes stretch credibility microscope jeweler despite deadly medical stuff also include lot light humor hot tub disaster fun dialogue right hand left hand occasionally brain woven story open free clinic people running mystery might quite likable endearing kind doctor conscience curing people money politics romance flint rather cute complicated ex hubby bit annoying times especially season finale seem improving awesome sharp tongued sharp minded young woman trapped engagement arrogant great supporting well elegant mysterious kindly eccentric socialite miller tucker becomes sort little brother nephew figure hank royal need mixture medical drama guilty pleasure pretty stuff make hank royal never get high brow acclaim serious medical like say house er got royal guilty pleasure critic darling guess make case royal similar house fine comic heaps self absorption guy hank mark gifted er surgeon aged billionaire hospital trustee care see hank simultaneously trying save young man life nothing hospital blame fire hank nothing billionaire family medical community thirty days later check hank suddenly slovenly digs couch undies unable land job e guess money prestige guess got credit goofy brother hank deep hank weekend stay hank probably gone account broke hank crash swank party hank know yet onto true calling saving distressed model word around like brush fire suddenly hank high demand guy days pilot episode know better reluctant doctor house reconcile professional ethics personal integrity outrageous new clientele economically mean times ask fun bunch stuck moaning medical partly wish fulfillment syndrome course lunch hard make fun want admit show make good summer distraction mind whatever network good specialized easy breezy show monk psych white collar right fun alley plenty tweak time worn formula land supremely affluent local hospital cemetery socialist conspiracy stand hank forced arrive unconventional fly awesome grotesquerie doc season one alone see perform makeshift surgery hemophiliac drill skull relieve brain attend yeah deal potential epidemic remedy b b job inflate lung prodigious use fish plastic get picture wonder people tried describe back day point hank accessory rich like sawbones version find dependable likable lead actor one knock show found brother irritant smug intrusive trying hard obviously aiming make lovable comic foil except guy crass low rent marketing cringing time thankfully offset two fetching series flint lovely hospital administrator awesome hank brainy posh physician assistant maybe enhance experience know real life acting may favorite role enigmatic german whose estate hank residence learn soon enough show royal tax brain much may make crazy miserable offensively rich people albatross much money royal sadist would recommend hypochondriac enough outlandish ways get sick however fine health good humor come soak fun series take colorful awkward romance two hank improvisational treatment freak show elite glamorous maybe count lucky poor yet earth maybe season one come three following bonus stuff option play episode crew cast cast meant actor mark audio pilot episode director pilot man island medical consultant nobody perfect producer series mark wonderland producer series mark wonderland gag reel real doctor royal video six clips bonus psych episode high top fade well done main character brother pain neck bit wiser following season annoying series even better really good ex husband hospital administrator minor character boy good bad guy premise hank er doc two poor live fat rich guy die end career say well yes big city hospital hank weekend jaunt finagle invite high end par tay proceeds use jungle medicine party goer stay guest house rich enigmatic german hank typical bond villain probably shark tank basement brother always looking available female new rich client hank medical corporation set trip life path concierge doctor rich great assortment offbeat medical present week upper respiratory dog bark hidden jealous hank riddle aplomb tactics think hank may serious foolish play well result believable sibling rivalry entire cast first rate big pa beautiful actress reality whole medical scenario really like show fresh unique medical drama genre recommend overall much better thought would interesting good writing funny dialogue good solid foundation build good series going well far show season originally network june e r doctor hank fired job hospital much concierge doctor taking care rich summer despite job episode new client little character movie god due hank sometimes outside box medical admit saw show kept running trying drum interest first air date network thought joke thought going dumb however pleasantly seen actor hank lawyer west wing fiance movie performer well really good series well believe character hank want see going show plus surrounded team spunky female physician assistant hank brother accountant provide another layer entertainment help fill hank course variety hob nobs well sort round fun episode prefer though said almost every series enjoying added new addition somewhat done seen television series good interesting funny looking forward husband watch surprising good show part comedy part drama part medical science watched four except brother stupid live watch character like get angry guy stupid longer get away somebody decided national lampoon type character drool spew cool forget premise show also get trouble never learn stupid breathe next scene somebody blood clot live supposed shift tone please first episode awesome show lot irony personal fun bright watching royal wife really show great able get show since stopped showing would think purchase devise could bring without would work town without disappointed good movie enjoy glad find prime thanks many good old thought film good job homeless acting fair general good heart understand realism exploitation good film season fun watch later bought show later usually buy show still air love show awesome along hate cardboard hell know happen two vol green friendly cardboard plastic holder insert something sad fate beheld beloved collection thought hilarious comical way look future family maybe one day come meet set comes cardboard case plastic hard protection set said case crushed mail received simply resting cardboard slid besides substandard season entertaining great ray got affordable price season well worth huge fan show honestly think best animated comedy series ever produced watched first countless times always series excellent writing rarely ever fall back weak comedic much flash pan type pop culture largely unlike animated series lent timeless aspect show also meant anyone sense humor could enjoy without calling knowledge contemporary pop culture esoteric background information say series pop general accessible carefully dating show additionally anyone watched first know consistent story line tie together far cohesive manner genre like fan little disappointed series unceremoniously ended excited also little hesitant came back first felt little unfocused fact longer format kind humor storytelling works best intended format minute saw new season coming along still hope finally season bit mixed bag short format snappy paced great see define series downside feel show something often like come know rather genuine article something also found immediately disappointing show sometimes pop culture gone subtle silly marketing often seen old overtly blunt humor entire episode lampoon apple almost like see writer working take easy way poking shallow fun passing trend way would expect home video often clever writing would expect sort feel season like kind half left series like almost trying spoof rather blazing new trail good couple many small make smile laugh loud end feel disjointed show sense lost stride little finish saying great series doubt hard keep legacy going careful balance needs found ultimately like would still recommend know going anyway entertaining also kind want go back watch older noticeably better hopefully season capture lighting get back year remember excuse need go try new fan since first series great season bit hit miss season back best excellent environmental occasional touching scene crazy one way time travel vintage wife definitely fi comic buff watching series recommend product series anyone new series may need couple come speed love season want lots pop culture spoof parody wacky story funny great addition collection get show till like family guy got cartoon network adult swim buy box brought back new season like never left really new wait till air complete season hope renew another season two find show much better got show mean plus used show anyway back may stay longer time first need say seem season like family guy ray broadcast order set strictly season first excited first got boring trying coast mainly irreverence almost never expanding range season huge range supporting rarely new people year hiatus show returned feature length comedy central show time young audience much much better small mainly clone season highly intelligent sharp writing snappy dialogue even character previously love ludicrous sweet kangaroo sweet gotten better lot better rival yet show get better better keep animated show p sound great absolutely must buy first glad see series return return fine fashion original cast intact thankfully fun varied clever remember part time two felt like trying bit hard deliver joke would chalk bit rust air long absolutely nothing try deter fan even new series plenty wit charm story found two particular found fun watch moving lack better word quality ramp quickly feel fair dock half star really half star review half star comes simple find best date problem yes said even worse cardboard continue original house mean scratches inevitable disappointing see way especially previous got plastic episode brief synopsis episode back case step leap back hopefully mean season much better even optimistic would advise getting house instead especially repeat viewer like short series remains faithful story style come love series disappointing polite said still reason pick clear misunderstanding thought would explain broken originally four produced fox network however fox used empt show often days football whole mess three four simply air token produced first second air following broadcast year typically produced part previous season start next though intentionally fox also wildly order times presumably first season produced actually broadcast season would short otherwise organized production order rather broadcast exact order even whether count four organized comedy central season fox television fifth production season comedy central season believe otherwise go original broadcast order considering current new season sixth current season seventh broadcast may get even current order presumably part sixth production run said run split two different comedy central next one still made sixth season presumably eighth broadcast season confused yet case fifth broadcast season based original fox network order love give full five bear give lower four given fact always found fox rather even first broadcast balance instance three bender row towards end meant shown order got much bender minor making small even meant matter go rather original stuck five original rather four get none fantastic special every episode made fantastic said absolutely must able format know still great batch even series bark consider whether honestly better value material idea original lived life without fry next universe produced entire new set another universe fry bender truly repulsive unpleasant idea watched whole season like animated time season pretty much know getting like season time volume reassured mistake admit first average little uneven time get episode late j fry momentum point think watching collection classic lost original run unlike another animated show returned hiatus like found groove thank goodness forced make decision unofficial free watch region locked region b release information available guess gave item cause guessing good title slam consider one still first new season available buy ecstatic bought first episode absolutely hilarious actually first season fly face people conservative religious opinion family guy hate family guy always flying face personally believe besides written fact seth seem get enough voice anyway realize full well people differ particular made feel attack instead disagreed like go little far opinion hand see tone humor technique character say one thing complete opposite reason running gag entire series stopped funny season professor still season quite often actually got real humor going time guess try take grain salt funny implausible illogical always made series great pretty excited get ray note company put first ray upscale damn done definitely nice set picture crisp sound great pretty however even though main content pretty awesome subtract star really reason disc could watch mess set choose play watch episode separately play episode commentary watch commentary go manually select commentary ridiculous process seeing selected commentary option back main menu go back next one chose play season even worse even select one play click commentary option automatically episode also like add main menu also work differently two pretty moronic epic age pass two forgot set one season next box pretty piss poor disc fact likely scratch slide loose fell turned folded insert upside grip scratch force seriously fall better box overall quite flimsy ray complete set uniform great show funny worth watching know episode bought box green delighted pretty interested see third picture undertow would bring admit nervous well working budget like bell josh got nice surprise nasty little family thriller bleak uneventful farm widower raising two secluded son prematurely weathered bell longs different life every opportunity trouble law often younger brother sickly emotionally stunted child talk family treasure told dreamlike fashion material wealth kind one day shady uncle dangerous charm ex con reconnect brother get know get fresh start initially drawn stranger many find good reason come violence go run taking hope charity get danger certain menacing night quality country landscape really film unorthodox lazy southern appeal know exactly story going caught journey interesting family dynamics well decent thriller perhaps one great tremendous character actor cursed leading man always prefer interesting opposed seeing traditional fare someone like messing josh really creepy born play villainous charm work perfection bell impress want try something beaten path take look undertow one seen sooner list film third effort director writer green received mixed response release two bell allan younger sibling live back arse nowhere rural father away school seem live sort subsistence life due lack social interaction left tad whilst local law way isolation younger withdraw life future solely reference little past remember one day big surprise car dust road relative know josh errant uncle prison tenuous reunion soon becomes apparent really welfare family inheritance inevitable confrontation go run point absolute classic night made misleading comparison related way plot though well made film acting excellent especially bell allan received young artist slow builder film shot dream like way violence double play visually arresting beautiful way see art everyday clutter detritus almost always dirty seemingly dressed yet still cinematically engaging deeply moving well film praise right psychology rather action attention really worked good seeing outdated bit still good use scouting going rented little minute program heading family great snapshot see informative movie trying learn sign language realize deaf people poorly time sad well happy also feel true life today would recommend movie already today although bit simplistic cinematography today story mother father first dealing deaf son mentally several mental hospital comes home clue communicate struggle loving find help need deaf world divided oral moment late movie bring take chance watch movie closed caption different times alarming suppose people uninformed one time remember quite way forge way deaf culture find hearing people deaf culture reasonable though name seem emphasize agenda rather actually making quality film art also true hearing people need learn brought movie feel would definitely suggest movie however want learn deaf culture better ways find without put movie interesting seeing made curious famous actually extremely well movie really think much willing let someone suffer prove humanity sort shoot movie young perfect choice movie beautiful rendition gospel mark major surgery left struggling read watching rendition god send able listen whenever need heaven generally minor tales nightmarish production cast crew like sometimes mid take degree heat equatorial director got brief punch knockout showing dedication material going hunting big game subject matter antithesis white black heart image big budget shot location adaptation novel animal campaigner saving elephant trying change legally direct action bit far hunting although never actually along way becomes folk hero media celebrity ragtag band various whore top billed much drunken officer nuclear scientist cynical nationalist exploit reputation get publicity cause along certainly film ahead time would probably fare better box office today slightly process lot purple prose speech making beautiful especially one rare articulate always make much visual offer get awful early drunk shot last rather better later shot first sprawling script times fit expansive cast bellicose reporter becomes believer getting load buckshot rear probably also along ride best quite manage hold film together lead despite perhaps intriguing character play whose faith animal kingdom may rejection fellow man never much one psychological hard imagine original leading man avid conservationist holden genuine passion role yet second best feel casting film unusual intriguing enough survive occasional bump road come ahead pal decent transfer much better twilight time excellent limited edition ray release fine transfer isolated score booklet though note pressing fault region locked rather region free per interesting movie plot somewhat similar came study course happen real life character movie york merchant ivory would later explore clash western eastern weighty early mid looser comic style product times really tone times inspired real life went search musical spiritual teaching follow pop star pickle york goes study sitar master musician khan guru soon pickle guest student landed pickle well star smitten showing disrupt serious apprenticeship pickle really serious long run one girl particular jenny always delightful irresistible rita may well mere distraction meanwhile guru family household also suffer effects pickle visit alone fascinating premise film much going well khan pasteboard sage dubiously thin wisdom materialistic three dimensional human divinely gifted musician flawed sometimes vain jealous driven ego man jenny holy man whose mere presence world better place see long time projecting innate goodness onto khan utterly unaware basically good decent person bond respect affection khan pickle often turns real struggle complicated khan personal clearly film set quite specifically fleeting time one long since popular consumption later capture something atmosphere many people really searching enlightenment like often interest turned superficial incapable course hard spiritual work even magic however brief ephemeral better one dimensional media caricature reduced impossible find red headed stepchild merchant ivory stable finally available made demand lesser film sure enjoyable one food thought show fun watch know watching top chef fun see guest top chef like learning cooking pretty rough like seeing master pull comparison top chef like format individual chef top end would preferred format top chef challenge bitter end think fair entertaining overall enjoy series wish top chef top chef series available pad streaming capability feel like watching computer desk daughter love watching top chef series would give one many high quality people much talent integrity episode however really really disappointed waxman round chef chose knife name another chef responsible shopping choosing chef prepare dish every case waxman top chose exactly knew would want know specialty however chef waxman case competitor specialty thought lack class even certain amount sabotage ironically show chef saying thing sabotage among master compare sentiment expressed chef picked exactly chosen chef set people success waxman chef might get higher score would since chef entire series great admiration except episode really ended disliking losing respect waxman really enjoy top chef series creativity add education get entertainment one place love series even cooking skill less drama regular top chef series enjoyable going way myriad reality much drama much fighting much series fun crazy add show detract cooking supposed point show also picked great compete like accent waxman like jerry chef knife great show got love top chef although great condition take bit longer arrive complete tenth season last show amazing year run last season well funny entertaining season mixed bag tell really running series finale incredibly moving spoiler alert ross finally get back together meant seriously chandler finally get baby well actually phoebe married mike joey well character went star unsuccessful spin time went separate ways least like watch enjoy complete tenth season much say like one never understood nostalgia many early ross much chasing people chandler humour knowledge therefore characterization come time phoebe joey funny thus opinion series simply got better better season subsequent bit drop least better observation season basically even though season one road fun road trip audience chance make sure left good thus everyone safely married someone permanently except joey got consolation prize spin say along way joey love story somewhat forced example arbitrarily inserted one show well see one time suppose overall mostly involve becoming phoebe getting married chandler child bad thing series mature incidentally core audience course season perfect already joey thread somewhat painful resolution ross relationship final show arbitrarily drawn angst ridden thought back season balanced turn ross fellow paleontologist adoption episode revealing secret ross first kiss course writer review th season show preaching choir matter say already decided whether going buy disc maybe end observation season finale classic h magnum times least far better similar previous one welcome addition season blooper reel least nostalgic final episode whereas creatively bankrupt tenth season exception inspired although obvious show long since seen better days aside season season biggest flaw knowing end near wrapping tidy package best episode obviously finale whereas know fate ross seeing unfold one inspired entire series classic include tow ross tan late thanksgiving phoebe wedding party ten classic show could given us live joey hearts touched funny almost cried last episode quality good perhaps waste th special gag behind scene preferred opposite still great unforgettable show product timely manner condition always purchase experience thank love one much little sad new gag reel tenth season much extra time past season saying little short commentary love good fun sad cost half price would pay store received quickly damage bought niece glad watched miss see watch great received item said would always great thing yet open watch complete sure fine waiting moment able complete series even though opinion season worst season wait wonderful series always crew complaint season last one commentary love though last season complete collection great series like package simple think tried see inch quite badly really great season last think hold anything back wish story would come sort closure really know end lost th season move ordered replace due beginning received almost whole week advanced definitely end deal ship customer receive within days would given together tape would alright tightly wrapped since really hot day received almost like tape melted picture side around transit also used cover would also melting tape hot day issue upon work around sticky mess probably would better use regular paper even wrapped rubber used tape like use paint instead tape would problem complain much really good deal originally spent almost first bought new bought needs little bit good knew lot overuse sexual innuendo always felt every season tad less previous season exception definitely funny funny hey u watch one possible way ending series perfectly done final season good job series satisfying simply one best chandler nice giving phoebe play early season laconic mike nice felt chandler become dispassionate toward many baby point character moving toward unlikable stay behind ross allow settled closure relationship still series brightly colored deftly dipped deep emotional without becoming heavy handed maudlin successful bow end overall year reunion right around corner decide go still funny though think time made less still enjoy going back watching still classic well worth watching mention funny today though funny maybe funny back either still worth watching classic era best crew series interesting watch much contest persona also fun lots information yet connected way made sense much watched twice video good student prior knowledge alchemy highly recommend interested nice wrap like know loop beat tone drill information subconscious throwing pal bone music found annoying would recommend everyone eye opening believe aware actually first half series cannot find second half though despite late production subject matter age much set remote island notice big gap society great one cell usually biggest indicator time passing either fun watch better huge problem missing series whatever offering third way amazing waste time entire entertainment industry run barely dress morning al exception watch remember time period mind enjoyable movie watching movie childhood probably watch movie like past show nice sound movie fine totally absolutely love show love watch excellent first like show watched grown teach good music fun good hard parent find appropriate entertaining educational small opinion anyway make want throw tall building lay traffic yes looking yo actually pretty enjoyable parent safe benefit likely recognize many celebrity pop time time sing pretty catchy previously free prime whatever reason gone wayside since daughter cable satellite way comparison would yo least x better barney even get live show comes area really pretty good time active lots singing dancing take advice though stock gear event save ton two year old daughter yo character sing along dance wait new season watch brother law recommend show son old enjoy every minute show love series dazzle keep child matter many times seen gang life sized sing dance teach high five polite good old first show toddler really like mixture barney old sesame street faster pace much better barney less educational sesame street cool hip musical lots cartoon clips love show big hit since blue year old yo purple crayon year old kipper dog zoo ferocious beast year old foster home imaginary school rock girl fancy like love everything yo age many tell love show hate show really one love hate son show weird guy mark music probably really like show colorful vibrant full dancing great price entire season awesome kindle fire favorite month old happy season season missing one new would like see fix yo great show daughter different energetic fun first watched show obnoxious top lance rock character overly effeminate put delicately however grew truly adorable educational young show full music dancing pretty awesome super music show even enjoy also recognizably famous guest dance time toddler dancing fun geared toward learning manners good little like bite happy biggest complaint show lance rock think need role model flamboyant show would better complete without granddaughter show great teaching music social interaction bad two though sure son first season familiar starting really like one well though feel like fun catchy st season still ton great musical unpredictable mix son almost old much time character anywhere goes absolutely admit enjoy watching well nothing else musical love yo baby enough said month old son show music find singing even great young great engaging show enormous amount musicality good pushing brush teeth super quirky manner fun interactive child able sit watching clearly understanding harshness environment true book main people rode fun watch really great much say video family looking family sometimes taking hit team colorful movie black white much fun story good quality video audio good need listen carefully plot quickly excellent premise although unoriginal well problem movie little short hence character development streaming version short lacunae missing film usually less second duration old film know properly audio quite good bit scratchy times often entertainment like old b w spare hour enjoy formula plot fun watch premise like old time acting well acting fun hour product wrong man find girl engaged jeff stuff get girl back quite opposite first change mind keep distance hurt good friend betty fiance title reckless really encompass movie get bit show funny sides within program serious one gambling hold betty father serious effects another anger revenge danger death wrong jealousy real bad side sadness wrong wish come different scenario one part ending say one would give away ending real life dealt tough action along humorous sides pretty good movie jeff good strong job think side might want meet family watch offensive language kept pretty clean outside oil ha ha hard working dirt probably adult preference mainly would probably keep younger interest especially little adult could explain wrong people harmful worth watching glad discovered list need better proof really watch write may know cast glad watch program sometimes always take word perfect fun people rode ways wish could good addition season pump directed mission impossible harry pocket engaging drama criminal band professional cool classy flint eraser engrossing performance harry career criminal master art lifting wallet lalo provided theme mission impossible breezy film repeatedly artistic skill precision organized pickpocket operation story somewhat simplistic harry partner walter pigeon looking put together new team find ray sarrazin aspiring pickpocket sandy van intelligent free spirited woman instruction training veteran ring streets successful police pressure harry leave group north continue refine however group take dramatic turn next stop salt lake city film plenty attention intricate execution drama surrounding color free wheeling crime spree cocaine user ray beyond mere setup man harry consummate professional disciplinarian interest sandy obvious start may routine predictable fit together pretty well time kind tale older generation passing torch new cast solid film come alive breakout role budding criminal learning ropes c flam man also excellent similar role sandy van age married c time much mature sophisticated year old definitely class film walter pigeon great goodhearted master crook grandfatherly charm topping fine cast confidence authority calling smoothly slick pickpocket commission felonious film standard message crime may always pay also honor among harry rule give g chance harry pocket cool variation caper film suave operating top game browsing ran across title ordered electronic video rental although never issue previously one would load first days since library assumed movie particular site finally able load video week later trial portion movie missing remember film think excellent wish could seen entirety day dismayed order normally excellent service ordered murder mary version glad watched one good mystery movie based true story acting great movie interested end jack governor works well would love see whole series think acting done best seen many recently learned th century fox home entertainment corrected problem missing part limited edition release award winning copy new version happily release murder mary complete recommend purchase complaint include example today show jack week prior premiere telecast march ran news covering posthumous pardon frank snow parole board chairman federation president significance pardon would excellent release would gladly extra included release mary would interesting viewer nevertheless wish thank th century fox home entertainment frank memory finally entirety approach centennial frank case agree another reviewer leaving trial investigation story also another reviewer wish included third review long ignorant rant barely bigoted intent film obviously reviewer either see chose lie film spent much review memory innocent frank best tell two film front huge crowd also included former governor several several several frank known time film made focus governor troubling frank murder rightfully told focus steven way telling true find wasp focus make story instead minority story even list film also day produced shoestring many works given time particularly movie week film able go desert film stark special flare needs add sand used shoot rain snowy location would necessary add mother drive see sick child cool mustang open got top rate thriller easily look run mill harper well cast cop killer electric voice box video quality demand excellent motion seen mother law see available nice see forgotten fact prime lot would ever thought kudos going enjoy catching every light comedy yet movie mainly drama people trying keep going life otherwise beautiful era movie good cast director hole head limited broadway run whose dad south hostel play screen process main better fit star frank movie version frank single dad carefree playboy beach motel come five back mortgage little chance frank successful businessman older brother lend money trying take frank young son back new york frank recklessly away cash would saved eviction convinced boy better going north performance van high best song frank urging director came retirement film frank parker star otto brilliant drama man golden arm frank adorable red haired son ally got start broadway little music man early top cadence made love gravel voiced b hood also stand comic comedy album shirl later starred family parenthetical number preceding viewer poll rating hole head frank g parker wynn dub benny ruby b pirate dancer funny watch dancing town leader actor wiz wizard never seen featured plot pretty standard musical singing mainly dancing excellent bad comic relief image quality poor average like stuff worth look wish matchstick available instant hit list one could watch particularly fall comes start thinking snow great cloud pull whenever ski bug department justice detective hunt female secretary hunt role keep story light humorous even though film totally clean movie good plot excellent average drama good good popcorn thriller four dull moment lark simple even film noir sort joke cop drama days g men g woman weird feminist want see want see funny good character well early police saga like long concentration great time waster good boy girl fall love movie buster lot potential movie remember obviously great notable missing got little want laugh sure thing video rented help daughter complete school research project content adequate although time subject matter insufficient availability visual media quality video brief overview famous live world non stop media coverage every event regardless significance posterity world within always way historical th century went undocumented live world music bob electric world tour event face rock roll forever went largely undocumented drummer band home movie camera footage tour bob band along narrative tour mention great came tour looking concert film place want first hand like need watch opinion depend largely upon type music fan like appreciate behind music enjoy pal time machine one time real thrill young fi fan much seeing couple reunite listening people involved special effects cool time learning time machine prop well worth couple rent want watch original movie soon along director seen original story well still entertaining even though special effects well today worth watching watched several times like remake even better rare must watch classic fi fan behind look making brilliance movie wished special like episode still happening today take instance real life little girl bard emotionally physically die cruel death away one despise dad may rest peace little child love blessed interesting movie officer late interesting river crossing involved plus give high value prisoner high exchange eventually one one great subject anyway actual regret watching enjoy include would made fun watch add time short season wife enjoy show one watch together disappointed shortness second season saving grace star series see end miss slutty comical sex part first season plot around grace earl trying save entertaining looking forward season enjoy series much fine job scaled human view darkness use humor overcome rest crew perfect highly recommend watching time get personal life together like complete control made wonderful show controversial many different great even get right never watched saving grace know really expect series academy award winner holly cast grace detective guardian angel earl show like could easily get preachy turn certain people find even matter people could stick grace flawed character angel grace sure pray perfect lots well tough job facing near death experience someone root holly home kind girl distinctive accent clearly believe better anyone else short version opposite every stereotype might expect easy relate since holly wit enthusiasm sense humor going around attractive charismatic serious acting emotion whenever needs one case grace needs convince alcoholic one trick breaking three year sobriety get never shies away challenge always bring mood back light place full eventually great deal season around girl coma earl grace needs help series put front work life family eventually spirituality faith retrospect bigger taking place plot love interest component best friend angle lots crime drama solve keep rounded story bonus none find show riveting despite fact agnostic feel mere mention word angel holly fascinating watch show really television series saving grace us cable television network ran three june series poor foreign unimpressive performance market believe premature cancellation series come amazingly stupid decision part almost boneheaded early shoot foot near clean sweep slate top rated prime time skewed toward older demographic basic idea series equally straight forward ludicrous detective grace member city police department never assigned last chance angel order divert multiple toward self destruction upon habitually angel question huge gauzy luminous craggy faced folksy guy name earl course first better two week grace devoted time equally simple minded master class professor apparently short supply around city wrestling notion specifically chosen something god generally strongly odd passing belief star show small stature huge talent academy award winner holly detective charismatic even hold hour long well bit actually show together grace surrounded inner circle three rather practical criminalist childhood friend remains grace detective squad captain grace young nephew grace brother catholic priest ranged around inner circle various additional many time time narrative spotlight center stage said review focus nineteen third final season anyone glancing currently print third season rapidly realize widely slipped quality alas entirely agree final season figuratively several rode wildly toward horizon crime element grace inner faith unfaith came fore sort nineteen simply time props poorly articulated philosophical irrelevant specific show hand particularly final handful probably driven knowledge inevitable cancellation series end season breathless round three year philosophical arc question clearly implicit final season wit heck clear spectacularly ah let clearly noted saving grace three year run burned tattered magnificence lovely flame many us television series ask even semi seriously great faith unbelief free god hidden impotence good manner even hero heroine overwhelming pressure yes final season failure let address question heck think broadcast quite hopelessly incoherent many people believe make seen actual truth perceive pattern may reflect least show mind consider unusual name protagonist grace grace say god able make grace abound toward always sufficiency may abundance every good work may agree apostle choose deeply notion western civilization potential abundance every good work wonderful name care following stretch consider mid way series curiously impotent last chance angel earl god apparently former one particular certain end end god among midsummer year twelve year old girl heavenly poorly educated woman born low coarse hardy stock reversed war lasting three led desperate battle received life threatening wounds may battle celebrity potentially profitable prisoner restrained small freedom movement took advantage escape tower castle best available fell found unconscious base tower account damage loss appetite two three days soon handed implacably merciless enormous pressure deny earthly military mission end cracked abandoned mission even agreed wear clothes appropriate innocuous young woman rather general earthly heavenly must surely touching despair turned around went feminine clothes man attire spoke openly heavenly brought trial unlearned girl holding theological priestly witchcraft burnt stake may nineteen death surviving trial first step rehabilitation twenty five death sentence pope saint surely earl however used title la pucelle maiden name la pucelle born insignificant village arc call arc though name form arc really think looking incidence wait say detective decidedly girly type dresser normal consist distinctly masculine jeans shorts shirt boots mention service whenever go field clearly charge acknowledged field commander even ostensible two consecutive curiously issue countermand already like relationship king nobility peasant like little army wounded battle like girl arc without significant long term damage fell sixty seventy tower grace falling twelve story building found unconscious bases respective diving neither almost certainly fatal long publicly proclaim heavenly guidance assertion fact neither ambiguity equivocation finally take last episode series surface lot reason capture delivery inquisition peasant must mission symbolize failure put away male clothing woman ensemble mission rehabilitate wounded nation guard rehabilitate single slippery head conspicuously task heroine whatever story god cast overwhelming reason hold responsible death child strain city find jeans shirt boots white party dress red longer male dressed general field simply anonymous guest someone else party identity mission heavenly nothing rational reason save absolute internal necessity turns like new mission though else might fail still defiance flaming hotter burn physical body seek enemy hurl defiance face without fear hesitation final confrontation comes soon enough enemy embodiment evil worthy attention like ago trial smooth enemy beyond even destroy evil least frustrate like bright flame also left behind immediately realize something extraordinary wonderful departed world long labored striking analogy grace saint sound enough final season fit plan guess let drift story extra stuff onto plate think links possibly without even intending still greater redeemer figure arc episode final season show grace highly pass gay woman police officer order goad officer lover grace severely repetitively beaten woman thing grace established character unanticipated toward end morally physically shown stealing crack cocaine head neighbor smoking later yet shown demanding higher payment act prostitution totally variance learned grace rose covered white dress party party must wedding reception finally scene ocean drown return somehow someone new person quite old familiar detective grace think made grace sin eater absorbing world order become merely warrior saint lamb god suitable sacrifice bring redemption mankind think party must place party away bracelet word support notion script image screen convinced otherwise inexplicable gift giving must transformative effective water wine first miracle trip sea shown may wide may rolling onto beach body water cannot mundane gulf greater sense jordan river reborn someone something greater grace known back beating show show seen manhandle men half height twice weight cop bar washroom blow blow without much protect wholly inexplicable save well established notion redeemer shall suffer scourging torment short grace making way along truncated via answer clear strength show terrific holly grace tiny form absolute magnet eye start finish certainly hurt boyish body great physical shape like similarly great actress throughout career manifested sexuality nude form regular basis still impressive acting series two think one really quite er remarkable scene goes fully dressed stark naked two opening way almost good role much limited benevolent almost impotent good old boy last chance angel something like perfection laura san fine actress woefully role grace old friend home role script written equivalent lay figure better performer ever say overly detective ham primary object grace fiery inevitably self destructive sex addiction diction appalling next notoriously mush mouthed might seem one ralph saving grace television series ludicrous fascinating dismally inept bitingly clever equal final season much little might saving grace must failure noble glorious wreck worth solid four anyone willing invest little power thought whole series expect ending chose felt well worth price would recommend set anyone interaction people live love duty see final season difficult watch evilness found hard greatly saving grace ending final episode final season regret show life ahead team saving grace sold short certainly satisfy ability view show speed however particular final season remains much opportunity improvement disappointed learn final season absolutely behind something please advise fantastic marketing available saving grace team could e mad men rescue glad could watch show show watched one time nevertheless contain given norm frankly feel little show entertaining funny times original type show great ending series felt like show could many story focus grace relationship god involved raw love angel character traditional image nothing show run mill one favorite went air far fetched show companion movie starring jackman production movie teasing offering cast director disposed like fantastic movie would hear young aboriginal boy nullah narrator lead film good trailer full movie ought see yet epic feel times took place sound stage sound great big scenic outback need sound stage seeing movie theater bought anyway miss star along miss terrific fighting till learned lot watching video documentary many world religious freedom important matter live country important respect religious freedom way worship afraid know learn understand respect best defense part history seldom known unless one interested particular good really learning history learn history repeat needs accurate history written want change government repeat history information time history understand would recommend history leap find coming definitely worth many roger nice one set watch quite frequently quality play player perfect miss seeing innocent take modern life brilliant artist team experience true quality audio first sound got fine tuned th th song get almost duty future freedom choice plus select men b pink pussycat blockhead considering complicated electronics must see true alike enjoy terrific bourgeois soaper golden days fox enough main street intrigue anxiety fill couple professional ease first rate cast notable music score streaming version good quality except relatively worthless pan scan version deluxe color accurate original track stereo mix twilight time video title original aspect ratio part new fox collection available exclusively screen version rented full pan scan unfortunate format choice material presume use new format sake novelty certainly made clumsy film well cast bank aftermath well done way much emphasis town personal successful film period would suddenly different plot small town contemporary acting good movie interesting story descent person helping worth unusual writer actor director born empire world war two middle aged character actor many mid forties start making serving writer actor producer director low budget independent picked major b side double hi first independent production hard bitten noir tale bad girl advantage older man girl bridge second film dark cinematography first effort story sweeting humane even though turns tragedy final act acting good photography pretty good especially low budget effort film reportedly cost produce beautiful musical score though little overpowering times unusual interesting mood piece like noir mind story may like find early low budget hokey taste may like old western like like colorado academy average average movie video quality pretty decent well like scrat love short well worth love worth price admission enjoy character hammy like great personality gone nutty amusing animated short less scrat squirrel ice age seen ice age collection ice age ice age full screen know scrat short found yet another one add huge collection funny surviving amusing animated short less sloth ice age well meaning somewhat slow side make qualified lead group young overnight trip even landscape haplessly often laugh funny wilderness short take never much way opinion jeff rented film something formulaic many new story left somehow satisfying watch comedic two main somewhat different ending people one help people feel better make writer complete human rather easy direct line g although tell otherwise movie pleasant surprise quirky comedy drama well made original plot style subtitle could success spoil answer man probably far close reality many people god industry funny quirky little love story saga back forth thing wanting give away much chemistry strong enough carry us end funny thought provoking good story acting first rate reclusive famous writing book life actually quite hypocrite life woman also hypocritical bit movie fluff entertaining jeff fun movie ending agree really good movie though somewhat raw profanity added unevenness supposedly romantic comedy used guess expedient symbol separation godly literary persona also wish spent time wrapping thereby increasing greatness another viewer also theme talk understand spiritual mean living conversely swear like mean profoundly spiritual overall movie quickly premise different really relationship book store owner good movie would recommend thought enjoyable exactly masterpiece cinematic genius enjoyable night want safe predictable movie answer man charmingly shockingly hit good answer man get academy feature quirky rude obsessive reclusive author rescue pathetic life upon vulnerable resilient single snappy dialogue answer man also sad fatherless child needy single neighbor emotional financial support recluse long suffering devoted agent assistant answer man drop adorable dog provided factor puppy like young friend prop single instead supportive grandma superficial even matter end jeff answer jack good win hunt graham protecting sons making big become better men perfectly well copycat although amazed would boldly rip famous fabulous original thing excellently though award making recluse edgy enough make cringe right moment soul baring honesty good romantic comedy much f word used great movie one watch try like much similar good little slow moving enjoyable home honest quality chick flick nice movie used word nice twice good reason obnoxious sugary sweet rather moment honesty real world may love ending thought appropriate bit abrupt really movie definitely glass wine short flight type entertainment time pass pleasant way cute story violence crime good job story left wanting see ended good movie quite evening mate home would see movie good movie two quality movie compelling downright endearing true human compassion expressed realistically something rare delightful root eccentricity main character jeff mystery element revealed plot progression graham character funny sweet little boy joy succeed ways find comfort angst well talented actor hi father store chiropractic office highly flat enough realism make wish learn say book agent finding difficult believe leave helpless floor matter much grief given along whole career past scene teacher gem would otherwise perfect high score feel good ending somewhat distracted completely unrealistic turn left bookstore even go back video bound unaware people go author appearance bookstore purchase new book personal inscription sentimental monetary value hear wisdom author say even supposed subject matter doubt still man sign common knowledge everyone involved movie maybe truly parallel dimension numerous touched upon lightly enough leave opinion bit slant addiction step religion self help craze healthy living protective parent raising achiever offspring loathing provide big wealth fame good interesting mix wrapped barely crippling typical somehow grown without character building life usually adulthood course type spend adulthood seeing shrink tee really movie thought could better little depth like leading jeff far live respect family man actor funny movie anything watched well written well movie based people era dominated action shoot em nice get story people get invest compelling normal people relatively speaking thought movie seen worst big deal good story line made watchable rush see bad would definitely recommend light funny definitely beat think also odd little another movie classified comedy quite funny sweet though acting solid likable could get heady intellectual movie write long review honestly time lot people thankfully good movie among many bad time rarely go like one looking simple good story laughter little depth watch disappointed best movie ever however made feel good going lot life connected movie death understand everything god us highly recommend answer man sweet movie opening scene probably deter number potential otherwise straightforward charming love story opening scene bit like carlin cannot say television jeff upset doorbell rang interrupted meditating every single foul word ever mention say bad thing simply warning language coming film better together three seem unrelated young alcoholic trying make book store work overly protective single mother starting chiropractor practice incredibly popular author trying remain anonymous film early three people related yes ending bit predictable surface another pot boiler standard love affair film much town funny would middle road film bonus discovered first film screenwriter director truly remarkable unknown person screen play around get film made never directed movie life somebody back film technically seasoned done much worse job film like bravo talent film shot almost entirely setting beautiful bad view city think recognize street market particular every shot focus exposure across board spot random annoying camera movement film fairly standard nothing remarkable done right sound well clear jeff outstanding role central character film well graham radiant quirky happy woman trying make way world real life graham younger jeff age difference film bit although creepy real surprise alcoholic really role lot addict good happen life opposed sad drunk nothing bad life kat nick infinite wonderful assistant book store night live snotty driven agent solid manner cast nicely chosen film film rated r due strong language hard imagine film working well crippling strong language reason rating absolutely nudity suggestive sex violence brief moment showing people drinking alcohol hour film right length three bonus one worth watching film made minute piece excellent revealing super lame story less retold wish would stop horrible add nothing film finally three minute discussion actor character another pointless piece view film ruin film view film simply redundant film sappy sometimes pleasant thing film film worth watching many times simply wonderful piece candy enjoy answer man relatively unpretentious yet insightful look soul search spiritual meaning upon desperate urge direct connection divine many ordinary people desire find authoritative life cleverly rather artistically soul spiritual energy back upon soul capacity compassion love learning appealing film filled humor take spirituality though remain image father god although end hegemony father dead alive subtly mother child duo fact case history west plot line make sense sell great cast film second time first good story bad ending still worth watch may want turn bookstore movie good believable main character recluse someone humanity weird rather acting good story unique worth watching especially prime free instant know would feel pay movie little bewildering constantly veer syrupy sweetness occasionally covering genuinely deep thoughtful foundation spend little much time explaining better show tell groan small subtle greatness overall like movie think came little better watched art thought provoking story writer life figured direct line god actuality confused everyone serious world beating path door rather dark comedy enjoyable funny cleverly written quirky comedy unusual romance movie four since close theme nothing extraordinary another romantic movie easy watch nice scene child school piano great story slow lazy rainy day cottage provide anyone else type looking though would fit need easy typical romantic comedy kind like comfort food day quite good basically reality film humanity pain confusion enough laughing crying keep taking bridge well rounded recommend day coping looking portion comfort food substantial serving humanity offer substantial comfort enjoyable film jeff great job good humor plus pull worth hour half life good clean course verbiage would need totally effective calm serene man rate conservative side lot funny sweet best believable romantic comedy graham jeff real chemistry plot dialogue well written witty original suggest fan romantic one watch nice little film cute funny story line little ridiculous outstanding job guy book god stuck people want know god becomes recluse due injury community finding romantic interest initially connection god thin clearly attempt keep eventually able overcome tendency true great film lazy afternoon regarding rating r language yes times loose string inappropriate mostly f bomb actually seem realistically flawed appropriate level character film normally promote use strong language significant contemporary society current vernacular nudity abuse would see far worse today think rating might actually reflection struggle belief god rating far strong would better watch film first use point profound question rather show would probably suggest make sure child enough common sense realize hear profanity mean need add personally would far accurate worried language think decent job making sympathetic easy relate ruin film good ending timeless movie well cast overall entertaining jeff great script writing excellent romantic comedy screenplay also spiritual religious book story isolation loneliness watching people overcome dealing god life ordinary people novel view alone made movie worth watching insightful heaven hell pain suffering philosophical religious one particular scene subtly interwoven movie run mill romantic comedy funny times clever witty hilarious spiritual religious appreciate even good although slightly cliche watch zone purely instead inspired think god must see definitely entertaining play well story watching hubby watched movie together knock wow movie good violence sex clean sense r rating though language talking long story famous author mean recluse cute chiropractor become human nice see journey learn secret acting also great especially jeff supporting great definitely quirky love story cute flick could used better ending despite know anything film much plan invite bunch watch discuss chick flick maybe sarcastic comedy present really answer man lot area totally happy transition answer man lifelong curmudgeon world view kind sensitive warm hearted convert enough evidence justify abruptly otherwise entertaining movie good movie want romantic story violence sex also jeff fan like movie almost turned movie first decided give bit glad funny real great acting intelligent funny script love paint picture imperfect yet blend funny naughty little film trying say something quite predictable character development good enough actually people worth watching sure funny even laugh loud resolution could better less trope recommend story line excellent cute watching hope thank every reason world like movie premise weird never big fan jeff hardly know graham never seeing sometimes life threw times go flow found film reason even watched part day free trial prime watch something might put sleep keep prime year least turn onto great like answer man consider film buff somewhat comes often disappointed many live well good enough sure hell sure good enough movie plot way could know would happen next acting without pretentious really drawn one give blow blow movie review write get see disappointed really hey movie want see marketing machine let us know came great movie great movie watch end spoiler alert movie end read another review story wrapped neatly end anyway paraphrase agree ending canned test audience ambiguous belief god wonder script picked chance end movie headed big like revealed absorbing fun simple scenario believable unfortunately end burst bubble reality spirituality world main character confession big lie revealed movie lie movie redeem making god part world truth never main character turned wisdom god god hurt everyone get girl made inspirational reverent script depressing irreverent everyday chick flick looking movie fun modern stand spiritual look interesting movie jeff character really god people show exist without end need believe higher power good story prefer cleaner language movie prime able stream movie best line living life want live happy way living nothing us choose life live new year resolution live like graham character sans quiet listener feel need fix person front jeff graham great good expose claim know movie little slow story line picked thoughtful engaging movie crisp often funny humanity compelling movie much nice rich tale told humor tenderness really acting good lesson movie good relationship great believable one thing like ending erupt would anyone watch though quirky sweet movie choose watch based cast ultimately feel major theme movie make grieve searching need someone help us movie glad pass movie delight really cute jeff great always felt like mix good year old virgin normally like independent film like one funny attention throughout movie movie primarily really like jeff newsroom graham parenthood funny poignant movie movie great script well written pretty well amazing job well together however feel ending left something desired feel loose tied story could something bigger overall good movie watch recommend anyone wish little think brought either wake author rose beneath like fact everyone movie different story start going well one like fact god put position know feel think sent son may become one fake god like statue real good person holy spirit working life god revealing world person jeff good job interesting likable easy watch wife sex bad language f word many times watch lots seldom feel wholesome funny one lot copy allow see cute movie church group contain rough un church like language nothing bad watched many movie good good writing big choose watch lot saw drug war real life depressing life depressing enough without plot basic writing answer man one many sure many people get offended stick profanity gratuitous sex movie may otherwise try point toward truth cannot recommend movie many want need like anger lack writing ability lazy use profanity get cheap low sunk writer write without work profanity yes get jeff character angry depressed frozen anger might expect fail see literary emotional spiritual since movie spiritual life mental educational psychological social human value continuous medium communication think think curse one god heart movie saying let go let people let negative thought write better honest sought film specifically graham since huge fan eager see another role hopefully support film endeavor involved seeing answer man blown away movie enjoyable worth watch seeing younger son something never really seen mother daughter show also thought couple would expect work overly romantic way way felt believable film relatively slowly never went also film really three people opposed two romantic movie also chalk full subtle found brilliant instance graham son three father never name took park one day said back two later revealed difficulty math school later long two simplicity beat head idea son father struggling said father absence present enough notice like exist film beautiful also highly admired film treatment religion spirituality considering entire story based around book q god led believe world response film actually stays away discussion parable message divine intervention god life cope day day subject book came written brought direct light towards end left open interpretation extremely difficult think pull applaud screenplay alone want watch film fault whole thing sort disjointed watch two hope seeing twice along watching one go change perception better definitely recommend high movie chose watch graham fan pleasantly message good one many us searching life big like writer story already many give graham jeff charming make laugh time feel movie bad way spend evening fact plan watch husband believe context plot would well without screen romantic comedy laugh fest supposed basically guy jeff sort father lose memory book trying connect god becomes famous best selling author fast forward many later recluse gotten life everyone piece think got woman young man also answer man profound think giving credit film one time another life important think time entertainment bit sleeper meaningful little low budget like tend get hidden many people watch expect much want every film blockbuster darling little film meaning depth especially nowadays comic book entertaining stupid smart film good script nice surprise watch whole thing funny delightful jeff hello delightful charming predictable quirky romantic comedy fine acting witty script recommend love genre quirky comedy excellent main cast especially good new comer acting definitely check highly recommend story luke also music never brilliant performer see great future ahead seen anything like jeff character hilt usual graham delightful gave character yet believable quality really movie language bit top bit aside simple movie car simple love story good acting nice story like mandatory limit wording overall decent little flick first time writer director jeff proved skill level showing multiple film story world famous reclusive single author one recognize get rid book collection fix ailing back living coincidentally film many single chiropractor broke book store owner happen cross path turn looking fill respective romance dysfunction life learning bout small clarity variety incessant artifact throughout eye repeatedly used maybe twice kitchen scene b w movie watching left one scene clear otherwise standard include minute answer man plug piece film clip heavy concept creation talking cover minimal background clip standard ad shown network live stated check later option cast crew commentary conversation piece best plug got hearing director first film like learning cliff exactly type closure give light film keep five decent showing movie movie watched wife writing report like easy enough follow still getting work accomplished bad language thought guess rated r really movie spot ending felt little weak rest movie still found smiling jeff talented actor performance disappoint fun watch recommend movie night funny movie enjoyable watch jeff great job good date night movie really good story good movie jeff great job graham would highly recommend actress never enough credit effortless acting seem truthful every role vulnerability always movie promising unusual story kind goes still also look great spent lot time like one remember hearing movie watch good jeff movie turned nice wonder self help eh really like lucky together nice see jeff movie author top best selling self help book reality oh tell watch movie well movie oh girl place know seen somewhere girl book store brunette two broke amazed find good movie never think enjoy sweet price prime free great nice little movie quirky improbable story line kept interested worth taking time see acting fine shallow deep slapstick comedy without mean anyone good movie got bit tedious seeing transformation grumpy jeff try watch never disappointed watch religious comedy good message looming background amazing love movie first jeff fan goes back many michigan purple rose days wing later starting first professional playhouse massive flood opening night enough good attempt overall film like starring enjoyable well solid yet different movie love kind story line great wonderful job movie prime account kindle fire wonderful film turned pleasant surprise stress violence regular people dealing life given sound dull recommend older definitely teens young sex nudity keep attention good entertainment good happen people main character likable often rude people story wife movie little slow plot outlined picked ended well quite bit profanity context plot simply jeff great great enjoyable movie complicated predictable sweet story cliche born new york new york several time lived film remarkable job portrayal new york remarkable thing city one particular group new york everyone everyone even though may leave never really left new york remains indelible part life whatever intend seeing documentary suddenly yearning go back touch base familiar wonderful city kind money order whole set one best ever made think great show great animation style really unique well preceding animation amazing man main different never understand keep making food people something get otherwise great cartoon lost every surf movie cal totally got every surf spot must film something every day matter documentary c loud family capture reality fine make point find embarrassing daily living amplify sardonic tragedy one never old seen many times able show husband recently never seen also great yarn cold war berlin peck great role colonel charge guessing end really well done intelligently quite suspenseful mason one unforgettable voice like bond story one real always stop motion clay animation world great continuation given audience quite charming program whole family cab enjoy well done thank looking forward like one thanks really good job know beginning would see show ruffin love listening kind music much better rap listen today cuss music grand listen instead nasty rap music movie plot easy follow unexpected ending kept guessing throughout would recommend movie friend movie took place real prison real prison staff review may somewhat though worked officer interesting story line believable balloon scene portray prison life pretty much lease time period movie movie state college pa later comedian scotch appeal riff wife cosmopolitan magazine right money unabashedly gritty review typically banal advice white long favorite mine lately maybe getting old stuff still good better less polished favorite blue collar never please different wife humor remains intact white consistently southern hearthstone comedy new set probably new wife little tasteless overall bulk show laid back top point view one safe nothing really sacred lots fun enjoyable watch slow day day anything kind lost little steam second half though like struggling pretty funny stick pretty good make life decision considering moving said routine favorite comedian lately show guess high pretty funny think show though favorite comedian one best film wish included price however always looking whole family watch great one remember one swear word throughout whole thing great see year old laughing hard always fun watch bit short made laugh funny without much hard find good clean get really belly laugh got natural timing body language content funny without profanity hard watch laugh loud ago us involvement actually sent mass quote whose people world stood think u save innocent use chemical clever propagandist innocent say either way slap face millions military personnel lost especially million million fighting east extremely brave work polish underground concentration left given highly precarious position limited imperative history particularly generation lived horrible period passing away documentary experience men actively whatever could sabotage german war machine great risk precise factual informative good lots information various highly recommend watch sweet indeed brought tear eye heart felt story touching story line movie cute story line pretty well done acting terrific would probably watch mistletoe sweet story good message watching much probably make one yearly movie good watch family around however like pretty unreal overall really movie would probably watch second time good movie slow good story hope enjoy like fun watch spiritual idea life death correctly acting good good guy live happily ever good movie watching one morning everyone slept goes fast able keep close w like good moving end movie yes tell see one nice holiday movie watch plane flew home nice warm movie good movie would recommend easy watch kindle fire delightful holiday movie think become classic contemporary romance touch fantasy way good ghost without video streaming quality good audio quality seamless shall revisit least one time end holiday season maybe thought movie quite good actually sure kept really familiar except one good job movie painful lose someone love also move lost love love end wonderful life carol found movie enjoyable made sense deceased father would need help could move grief suffering left behind could indeed hold soul back accept let go continue think acting terrible said thought adequate type movie good family entertainment happy ending agree one reviewer though inappropriateness plunging throughout movie family film boy beautiful child smile break many female hearts older leading men appropriately handsome lovable aside needing cover cleavage attractive believable enjoy entertainment metaphysical theme looking nice movie watch family think good choice would watch movie even buy generally would consider waste time would rate less movie lot probably buy watch likable story way want enough little predictable think leading lady good actress cute recommend would better around concert age band somewhat still da much old gusto drum solo could bit longer still treat hear watch real honest god head banging drug music metal later nothing show still concert footage obviously enjoying greatly went instead couple really get finale da real scorcher mean saw band buffalo came flooding back guess lucky recall know say remember probably first realize iron butterfly band pardon well sounding get see live back along early metal band blue cheer remember thing always thought band put together music industry response led zeppelin iron butterfly led zeppelin get play maybe much later performance see much got totally music obviously passionate love really pretty good stuff however late concert people put video together made hair mess want throw chair decided wait high concert blot version imagery total idiot dictionary still worth watching interested music lot enthusiasm couple stunning vocal boot totally agree last regular cast think whole thing love episode always entertaining great obviously believer life death take seriously given would recommend anyone ghost course spin believe poor uncle rest student know dead dead sleeping death believe know heart messing around want people believe heaven hell hell even exist long people believe eternal soul continue death accomplished mission misled directly people danger could home could fall victim assortment ways demonic power powerful spirit certainly man great example demonic power segment lair doubt sincerity third rife going surprise better still lurk still interesting see idea compound area large watch peaked interest watched program good history lesson simply right right disagree mutual respect going argue anyone concerning please make ugly simply agree disagree move reason perhaps warn another following path opening demonic attack one form another great day interesting learn space new fangled use scope bees make wonderful honey good behavior guy sand put lot time artistic interesting history start punk rock many get feel like version film watched prime instant video confused long watching hour mark hit maybe w german know overall really film house rising punk great part punk scene lots great performance footage film harry singing german list unusual goes watch hell even buy good one man concert great old need partner provide solo show well well excellent history tribute brave young men really watching talented group casually interested view video blown away talent even without misleading beach satan even except unrelated mostly grew away era beach early also lived beach afraid ocean cold war regular drop school convinced bomb us oblivion needs sensitivity student protester tear vista well genius sure abuse father responsibility success beach simply much bear respect survivor music us back happier innocent time night live clip hilarious birthday party enjoy documentary shame people think beach long live beach represent interesting look german production team old narrative progression society sunny utopia violent chaos beach particular shifting focus toward end kind fumble spending little time connection one left thinking wait talking already know connection sense best part old beach footage enough reason check many also willing put kim mean feat lots footage early days plus recent let title fool nice little straight documentary break new ground interesting nonetheless bought show birthday present complaint way inside case little time consuming get properly like stone light easy watch occasionally usually fun character development alright several great job social like body awareness body good message let overwhelm story line watched first season entirety watched enough grasp show material first lifetime teaser lifetime channel found got excited hoped would live usually fall far short first appear series kept interested entire time show deb believe extremely vain picture anything size maybe one beautiful people word superficial definitely comes mind due accident truck grapefruit like pretty bad way die opinion way purgatory type locale trying decide fate return button guardian angel keyboard back earth jane super intelligent lawyer heart gold bit extra weight basically almost exact opposite deb show deb jane body several life drama add extra layer everything turns deb fiance actually works law firm jane oh cruel fate still grief stricken shown interest one much jane deb dismay ask really ticked first jane assistant would feed whiz straight give doughnut improve mood almost like show saying bigger love bigger totally unnecessary inconsiderate travel another country work alone season easy watch going bed night would try watch one episode would turn always left good feeling turned show show really fun show want keep watching needs free prime many fat fall flat first show premise skeptical first even good premise show fail hard fortunately show get gorgeous year old model traffic accident little mishap heaven beyond however see along bit stubbornness deb part crash back earth body entirely stuck year old jane woman might gorgeous smart smartness onto deb gains surprising new brain deb best body stuck course funny sad especially bitter deb works finance least finance back still known deb jane start hard longs tell truth lot show episode also legal case two deb jane intellect legal experience must combine knowledge model days overall good show better would chick flick feel absolutely hate kind stuff enjoy rest assured show enough serious thought provoking make solid series saw premise show since much like friend play walk similar enough make wonder original author play however also different enough unique fun take seriously miss main actress singing much first season wish bring back singer current seen title around never attention recently ill tired reading watcher decided take chance figured make past pilot surprise acting writing creative plot music overall fun reviewer stayed night watch entire first season relate sometimes sick choice entertaining way pass time definitely watching season although moderate pace think show wonderful job thing would often say brutally tortured explain torture little bit slow ultimately entertaining interested type stuff criminology psychology enjoy put together nicely believe people would use watch series came really dark blue show fast paced however think may unbelievable matter dilemma always knew team would prevail despite unbelievable story great much eye candy network television one show one versatile probably visible actor dark blue lead role practice reason watched dark blue first place easy typecast sex symbol brought attention movie miracle st anna dark blue married undercover agent follow colored sparkle green dean sly unattached unemotional character three series c traveler never watched maybe woman secret undercover crime fighting quad providence supernatural cold case name character dark blue acting good character one made actually talk screen well yell actually gritty dirty back alley crime drama thing keeping giving star almost never seem arrest anyone never seen program good show glad mad second season really enjoying dark blue like story line also enjoying several series prime never seen got fan got less realistic season still pretty good action type show like got lazy although two part finale pretty good looking good cop series turned excellent cop series background good action show preference since enjoy police since great selection prime looking decent television show pass time dark blue show win least writing somewhat intelligent plot obvious simple yet show bearable little dark otherwise good police type drama might gotten better continue hate start something end chance get know good series put season watch list one dealing personal face great danger violent watch jerry production need know great show gritty dark crime us think far would go get bad guy cast excellent great play number show small love cop another good cop show realize dark name show going going show think like show great deal complex figure coming next love series quality video great hope season three coming soon good show kind plot good shame may bring back season used watch show probably one best come production gritty character super good bad two typical television nowadays need start shopping cable instead may last longer worth watch hooked first scene gritty fast acting kept edge seat going back pretty good story good watch outlandish stuff style show well great cast series except really know end see cast lot great acting great writing show like cop action interest well made bit different police hopefully season two prime lots action suspense plot plentiful main interesting enough depth sustain development green particularly enjoyable watch excellent good story line realistic interaction like see good win series able highlight personal main along show viewer see everyone differently make right tough one best watching lot familiar wait next season show love cast gripe second season lost dark first must see though great series actually season little unbelievable times worth watching matter first watched series last two season two lot tried find find bought hearing unfortunately closed series provided lot better series interesting lot action acting good definitely dark side everyone every episode watched far better really good season opening ending thought really good gave sometimes wish shorter could drop weak case weak unwatchable gave average cliche drug war view worst thing world police bend get bad distracted enjoyment love whole cast incredible talent wait see future keep watching first season dark blue predictable still entertaining anything better without endless network television well good story line good drama great action convincing familiar show seen cop prime time team operate deep cover grid even though enjoy tension episode predictable formula problem nearly impossible cover cop treatment winning show apart brutality met equal brutality hook smart dole ruthless punishment failure excellent good guy gal versus bad guy gal dark blue wish watch watch good pretty good cop show enjoying undercover aspect effect live two really like good job th good nudity great job thanks posting dark blue dark gritty police drama interest first episode unfortunately two made great found series prime good cast though watched enough know sure like good really like show wish however must see season good series use watch bad took one favorite cop time like watch hope catch good story usually drama team lot cool moral story love series watch every chance get real fan prime great show stop watching good choice good outstanding series acting good story best great series wish would made always looking series fit bill good cowboy style police work enjoy script elusive slightly mysterious leader well fellow interesting true good undercover cop drama lot action fall asleep watching series think decent show deserved another season least finish everything going cop show little real drama original series still pretty good show story line nice action good show one episode far love make sure finish semi believable good exploration moral type work second season got much sex treatment dean perfectly undercover role accent body language appearance look like real deal suspense drama forward next adventure watching show really interested happen next kept us look forward series use quite bit saw got curiosity overactive imagination like mine actually thought along quite often reason gave length fact apparently blessed shame get us hooked stop series every episode entertaining hope reconsider give us would gladly episode good idea sincerely hope whoever consider either back expanding show broadcast hint hint also split open puff addition also something haggis like sheep stomach mind small specific private tourist destination episode made everything look worth eating famous show worth visiting worth history episode taste tempt search sadly also family appreciate culture outsider respect pride family admit watching guilty pleasure really knew wild thing hit nice see pretty good rock sound hell even realize much popular home crowd appropriately enjoy watching listening past serious requirement excellence enjoy made great effort hit mark thought considering long act around still think retired lead singer reg band concert footage show singing drive obvious joy old still straight ahead simple guitar rock little slow give chance better show goes reg amicably crowd kind thing would expect type show wild thing saved end show reg crowd back think enjoy best interesting mike always good sense humor around country dirty worth watching like really great put new year mid stop showing new look something like show kill time keep show simple real entertainment watching reaction different dirty entail perfect voice really representative everyman also greatly admire foundation work bring back good guy show worth watch best season far love watching dirty mike funny honest great good different show insight many would never even think sure premise getting dirty much mike funny afraid try anything even learn quite bit along way found interesting see many difficult dirty people idea take mike charming crew often amazing often forget essential terrible show us different necessary make society function mike wonderful host dirty information dignified way many grow obscure misunderstood mike role student learning expert touch humor joke always directed dignity person teaching job dirty always enjoyable watch entertaining educational mike crew work really great together really make watching show fun pretty good show watching show think people aka enjoy truly type thing must see squared pants fan enjoy program great anyone lecture certainly deliver far case feel like learned patience good long lecture go really funny grate want feel watch smiling well story could soon true story psychological look mother perspective interest story dense classic lead intent appreciate front talk god world probably universal actually wrapped sweet story acting little stilted little abrupt glad bought pretty good peep show like expect full frontal nudity anything get solid hour gorgeous possibly natural full perfect posing like almost every girl interview time tell us real hot girl entertainment game special treat shea featured time bachelor bachelor pad also another model charity went host different charity featured video good little kind documentary beach maverick near half moon bay seem like done late four year old son sit watch even though want learn watch pretty slowly entertaining real animal funny video beach native seem taking care speak clearly use correct decent amount repetition even though son repeat think training ear pick easily later find pin helpful wish provided throughout instead first time word recap end video good might know much basic without boring someone interested primitive technology found basic making cordage arrow dart shaft useful well thank video man used love music anything say faith incredible music still made hearing song subterranean homesick alien passion music good like sponge bob season sponge bob one favorite love although would rated daughter sit quietly watching great fun enjoy free great quality always enjoy free weekend silly fun check brain door laugh dumb cartoon good times season little fired writing team new totally forgot writing good adult angle even though episode arent good worth get complete season set main interact explain make believe treat way pretty funny teaching morals sat many nephew bit fanatic show first really think much show watched enjoying friendship actually pretty decent show even times run bedroom start keep watching see complete seventh season filled adventure intrigue unforgettable enjoy would make great gift little holiday season family hooked since jellyfish jam agree show gone downhill since movie see episode list twenty season instead two half season studio soaking cash much better season earworm episode pretty sister sam episode sister pretty good first big improvement really think show seen better days overall love turn brain stressful day work watch plankton try get formula idiot able enjoy daughter however get old watching many row come house always rely keep happy grandma love family favorite since first came wish language bit afford speak one another funny watching however like long gap wait long time see new one used watch younger college watch eat still fun awesome always funny drab good dual storied pat continue make us laugh enjoy times still flat funny would love full since new season exception laughing even goody love even sit wit watch whole season classic hope rating soon also r dont get watch much block r rated stuff entire family bob great entertainment whole family watching many many daughter nearly annoying even get easy ignore month old grandson program yr old grand daughter show old thing bad episode enough adult humor every episode enjoy watching son daughter really enjoy watching quality show also good however gave quite violent cartoon season favorite season pretty funny fun whole family one best time without doubt say still think stupid yet funny almost three mean come look squared shaped sponge great hamburger cook everything curly season rated good adult especially episode unique creative overall good season recommend hilarious egg ebb egg r drive b get think sponge bob wide age range even get show find looney writing always good enough keep episode find funny year really take guy even learn say bob bob watch sometime see think love funny season like give daughter food greedy come watching since year old slapstick fun son glad prime watch free kindle reason gave every would pause love ease kindle fire particularly perfect choice quiet engaging activity season get genuine sincerity original season strange times really random also contain stupid kiddish annoying unlike hilarious old classic also lot unnecessary violence like damages reputation still funny love watch simple granddaughter resist even someone gray relax enjoy love attention sit laugh whole time seem like love character give nice show grandson glad showing prime instant would pay still love sponge bob even fun watch grand love watching lot beat hearing laughing seen saw fun entertaining really love silly personality season one family favorite episode alone would buy whole season may spongy best still pretty darn good child busy moderation would get like character pineapple sea season personally favorite character love watch great way keep cranky tired come seem get enough never get tired show yeah used better however still great show plenty good season think bit done better job past gave four write something listen alright excellent season year old every second fun cute sit watch together great trip memory lane like explore back make want get back hit may first time busy sometimes big done show conclusion murder issue good show wish worth watching love catch bad person pregnant woman baby inside one interviewee said within days news breaking written world idea never technically episode quite different ilk usually big question prove episode however culprit quickly learned proof crime obvious still shocking compelling becomes enjoyable informative killer evil greed jealously manipulation assumed must childless already three trick sterility girly even daughter said mother death penalty family freely show rather ashamed avoid miscellaneous deceased sold rat first time amber alert made baby one ever seen least four men seen hear chin bodily trait common one point jurisdictional arise glad stop helping save life love watching crime found prime enjoying watching far since feel like seen everything else complex death penalty make mincemeat defense like true crime show one better factually based point without lot extra material highly recommend enjoy mindless like folding laundry episode interesting murder mystery well highly recommend watch episode free let play perry mason like testing ability identify quickly obviously read title review dislike explain gave rating gave wish could offer numerical rating without giving explanation least require explanation lower love hope series tragic gratify catch people killing many cool documentary old days learned garage true fan love obviously lot interplay behind advice assistance given acting critical convincing viewer real done well especially given seem ignore realistically imagine people people safety standpoint careful oversight take place limit expose people going let blow burn asphyxiate poison eat unsafe food electrocute throw much staged marauder carefully odds ending far human ingenuity pretty much nil show reveal brain dead limited situation innovation well rounded necessity group diverse skill set finding together given interesting show certainly challenge mix reality safety entertainment made fairly realistic put aside obvious acting open real drama exciting see people would like really happen would watch watching last make really interesting stuff tell good story part smart group know much help tho watched one episode quickly watched rest season real life survivor know end still get see real inside react accordingly real scenario like would pretty rare many though hey trying find engineer ever world fell type situation interesting scenario would like live life terrible disaster like nature see people would actually think found real watched st episode found wanting watch one think could would survivor wish watching first found wanting keep watching see show one reality one pretty good made think life could like without creature come rely everyday would recommend reality show different rest post apocalyptic setting interesting see people would happen would recommend people looking something different show really good show survival end world type electrical engineer group really one something think situation arise interesting case study surviving really bad disaster ever wonder really important life watch show ever get really bad show many perspective salesmanship gold value event world wide upheaval colony entirely different point view value interesting fascinating see change comes survival forced make nothing else make think hope country world never put scenario survive limited global yo series interesting post disaster survival show brought valid getting prepared luck would diverse group pretty good fake like series hope season comes soon get learn lot human behavior little practical science one two three four five love post apocalyptic love show team put together fit pretty well together enough keep learn lot team colony season one place abandoned area l ten must survive make new start face electricity running water lack food gladly steal little begin watch use junk equipment better situation try find ways making better witness work group fight one marvel help along never got chance watch show watched second season first get first see blown away broad spectrum brought group together fun watch learned along way watched season say first cast wise lot better two lot check colony season one see many talking competition based reality show instead group dynamics function stressful really fascinating show well worth time bad make cause make money aiming brain dead raise pageant pageant baby show good premise maintain much realism possible pretty far fetched though unlikely real world group heavily armed plus cal would feel need negotiate small group sticks protection obviously realistic point read watched societal collapse make look like attempt survive life death situation even considerable know get return group cool see come together wizard overall interesting watch although show still like watch show mainly knowledge learned built story line could city possibly either survive depending make like program better second time around understand little power grid appreciate creative however doubt random group would include talented highly educated group usually struggle understand behind project entertaining realistic helpful would like rocket genius good show best simulate post catastrophic event cast lot useful lot good know highly reality watching people fun debate husband found show hard stop watching realistic although post destruction world luxury doctor funny see inflict along inventive present still watching ready see next watched entire broadcast series fun able enjoy free true life scenario would matter interpretation opinion show entertainment thus four star rating picked usable contribute survival nurse could easily wind bunch office could barely replace light bulb also environment many usable reality would much dire would like know much really thought survival situation common sense crucial role able repurpose something one would normally throw away watching first end much like old old got tired watching l afraid might lot help great experiment life would look like fall civilization people within colony season actually dial produce output need keep alive season pretty interesting crew season stand would want survive end world person faith may change mind play made examine life love three host lamprey however ordered season perfect condition unfortunately first set work properly would play another season relatively simple process thanks dismay second season set another problem first set would play decided would return item receive another guess manufacturer issue wait awhile work purchase item beware f u like peter crushing type lee u willow enjoy worth watching u like thriller quick rental two interesting cheesy horror first head family fear rough country somewhere san try hard elicit horror headless thief head family vampire bite blonde babe unlikely hero place constant state twilight shrill music foggy landscape course neck family member turns vampire one one lastly hero curse dah dah dah dah van revenge modern day setting apparently holy cross small derringer way modern office building leader group like modern decadence society moving van peter way private denim lee meeting cannot end well last bit bit modern taste still bone nothing like van smack van crucifix prayer tiny gun holy bullet lee name foolish man away go horror camp course must rent well horror hammer disc curse mummy tomb two scream fear film horror risen grave taste blood hammer expanded story collaboration complete collection tower black castle climax strange door night key thought would like old robin movie feel good silly movie humorous real way funny funny looking typical predictable comedy drama feel artistic attempt analyze disturbing society bring light dark comedy recognize troubling society last two especially educator care young people also lot say nation longer genuine closeness little true togetherness far little intimacy may think deep comedy really exaggerated tragedy film audience look cultural narcissism superficiality opportunism objectification permissiveness readily evident also many society affected way treat people well corporation affected place value people know long review appreciate intelligent one least b film point clearly struggling teens many temptation really comedy fact ways depressing poignancy sure pain frustration robin good job sad sack father film good existential message one dark recent perhaps commit first half film able get considerable plot twist considerable bobcat sweet sad sinister little comedy deeply rewarding us one seen robin deal substantive bit disturbing must see movie unexpectedly brilliant robin versatile actor think thing film touched really hypocrisy society find hilarious different role see robin good teens teens really film times uncomfortable watch difficult even obviously crass robin grief example slapstick humor robin character going watch mood deep dark funny painful sweet thought provoking film new appreciation bobcat great dark film way main stream film watched ten times time better one robin best par job one hour photo trailer seem comedy funny ways could definitely see movie everyone cup tea nasty language disturbing content think good shocking yet could happen even story bit far fetched especially like wrote response kyle death think could happen way also like ending something little different something would normally chosen glad stuck based cover would never watched movie wife agreed excellent movie enough said important movie reiterate give rating movie really parent love child end change made bed need lie parent world dad hooked first time read dark comedy robin instantly interested trailer plot summary really reeled result film also went unexpected direction film dark comedy usually still stuck specific maybe still similar formula dark really break new ground world dad goes beyond ground laid follow sort formula say dark subject content pretty disturbing yet somehow still humorous robin role dad trying best life thrown incredibly well everything going life even film speak like constantly thinking something always dwelling going around people close life trying decide going handle situation gotten role show bit comedic side robin handle serious rather well performance obviously say much direction film goes without completely spoiling film say trailer good job giving away film turn though really let one best experience watching film first time seeing far concept film going go lance people begin say taken life better told lie one person practically entire high school would tell truth world dad going everyone people love downright hate film dark dark different kind comedy unexpected turn humor dry thing recommend personally though one interesting seen quite time days see robin movie poster word dad anywhere title run opposite direction screaming robin full coke freak mode head think responsible star refreshingly different black comedy imagine patch old dogs wholesome awful family find comedy mind poop comedy notable jerk getting comeuppance fixing film stays sharply funny steering away preconceived good parent honest person human view dead glowing light unique dark poignant deserved better got put film fate perspective consider cost million make made k received rating rotten comparatively old dogs typical robin groaner cost million made million yet stunning rotten simply put box office failure world dad simply crime like surprise check one fully understand list box office disparity disagree take heart knowing another comedy like old dogs month another comedy like world dad see long time saw free preview good course rated r excellent ending truth robin outstanding usual robin kind movie writing movie quality movie even though movie honestly wish industry would label correctly comedy really nothing funny dark movie man raise son despite divorce son ugh already watched hoped movie glad cry time struggling suicide movie watch really like way wrap ending thanks robin bobcat special movie along way end love robin one miss rated r adult movie nudity sex lie well see outcome world dad magnolia confess world dad plus robin thought oh god another one guy life generic saccharine self respect left oh wrong one film judge looking cover written directed bobcat dark soul crushed unloved high school teacher guy still aspiring writer long since crushed life single parent worst teenage son imaginable terrifyingly realistic creep teen respect father anyone else devoted making life miserable dad set deliberate slow set complete way film sideways completely unexpected kudos goes much humor bit nose compelling nonetheless nastiness tempered real wit depth willingness delve real darkness film right rewarding film joe film fun laugh loud comedy rather dark commentary people way sometimes reframe reality version better somewhat sad certainly uncomfortable also funny robin phenomenal job lead martin quite impression albeit small role definitely worth story acting might put win win quiet good film good movie kind disturbing fast shipper product thought title review funny probably find movie funny skip quote really quote movie father son sure acting movie good quirky memorable doubt fall cult dark comedy classic arena along sour name couple course opinion really endeared film robin character long time writer never anything couple greeting point movie big cosmic break writer ask would would desperation guide path maybe highly recommend movie aspiring writer surely become long lived discussion topic amongst group oh mention done way probably able tell overall refreshing adult humor loving abhorrent child time struggling one hateful life really movie got sad funny robin great job recommend anyone except anyone go movie light hearted found human real tend enjoy robin manic energy actually definitely one kind movie stay awhile afterward ending bit abrupt still strongly recommend really movie especially ending read pride prejudice watch film learn something important human nature slowly shallow insensitive prejudiced self serving arrogant narcissistic occasionally noble nearly always lovable nonetheless thought movie fantastic really see people see real often look real person view also fact saved one boy suicide gay thought would figured would another show beloved parent actually unexpected turn dad used disaster advantage robin wonderfully brought character confused unsure father suggest movie though personal robin world dad misleading title like another family assure could truth film dark comedy controversial director bob afraid bring true dysfunction lance high school teacher thoroughly unhappy life writer dashed every rejection letter helplessly pretty young teacher falling younger popular teacher worst son unlikeable pervert first time see son kyle spy lance caught autoerotic asphyxiation everything lance kyle dead act scene look like standard suicide along fake note trying motion kyle suicide note goes viral school entire student body hero kind story particularly relevant considering release year sound vaguely similar death world dad certainly league far go dark comedy enough light tone make commercially accessible think would without lighter tone appreciate way kyle unintelligent foul thoroughly unlikeable character lance little complicated son much driven selfishness great finding comfortable medium manic energy subdued quiet persona character unhappy right edge sanity one best seen world dad flawed darkly amusing film frequently hilarious many complain empathize character recommend trying enjoy based comedic merit final eulogy kyle nearly worth price tedious recommend movie long aware watch grade b acting robin premise work emotional ring true hilarious film one subtle humor focus insanity come human know expect movie pleasantly unusual film robin amazing dad wall comedy recommend seen least world dad son accidental death think unrealistic father could body like would better stage world dad interesting movie father son unfulfilled expect ending goes show life totally unexpected one needs go live change robin mostly known comedy high school teacher teenage son listed comedy dark would recommend anyone age heavily adult content movie give kudos bobcat honest story sad real shallow people many sad get turned upside self service still awesome character sell end told shallow son really thought actually aloud several times utterly depressing story remains one taking real real look bobcat hope movie smart funny shame didnt go think people would really dark element funny thought provoking luckily trailer indicate unexpected turn film intriguing unexpected robin always entertaining even though drama many comical like basically every review stated dark comedy like dark movie probably first thought going like movie big plot twist take turn better movie sometimes hard set thought ending appropriate made like whole robin great movie look right face see exactly thinking without much supporting cast also great job annoying possible think may like movie set opinion bit slow wonder plot going stick wont disappointed movie original think reaction death acquaintance robin vast majority film career churning family friendly like patch bicentennial man made career turning overly sentimental syrupy horror take chance dark comedy film additionally people normally avoid robin usual fair give movie chance probably end result world dad despite positive movie heartbeat bomb however interesting film funny dark comic touch robin lance high school poetry teacher writer although involved sort relationship pretty teacher school kept secret meanwhile much lance bemusement openly maybe overly friendly handsome rival teacher whose creative writing class little problem drawing unlike lance sparsely poetry class class cut budgetary becoming famous wealthy author important work getting farfetched every rejection letter lance happy man significantly unhappiness rotten selfish perverted loathsome behavior child son kyle kyle sex moron whose obnoxiousness burden friend martin especially father lance reach son involved life oafish kyle lance good dad kyle father school openly front principal performance perverted kyle lance deal make comic film pretty hard interplay truly father son duo however tragic accident lance put better light completely unexpected redemption kyle lance end lance must decide whether reveal truth hurt everyone around may also allow experience true happiness four pretty hard many film especially character hysterical ending made boost film four robin really good unhappy middle aged moral would tempt saint overall entertaining dark comedy reasonable amount time suppose subject robin goes underneath material subtle acting ever son every man worst nightmare like dad came grief also final speech familiar previous many posted previously totally original subject matter bobcat mining one expect man whose first film clown deservedly citizen alcoholic clown next film sleeping dogs lie nature interpersonal significance truthfulness supposedly foundation wickedly perverse oblique perspective shocking one since stand comic days bobcat one true see work last year living salt lake park city festival seen share odd ball offbeat dad head line consistent coherent well go none else dare tread like think loud minute somewhat unity theme film previous film sleeping dogs lie center believe revolve around truth morality speaking truth dire hold onto truthful tell maybe keeping last bit might best latest film around speaking truth making willful decision purposeful misrepresent fact even first would seem best moral thing thing save dead sons dignity two different sides coin interestingly neither film two sides surety moral integrity associated right thing even presuming know right thing pathos situation intentional intriguing light view one could trilogy case wonderful decidedly squirmy film never better performance robin maybe fisher king tone film constantly walking edge dreadful humor highest regard seriousness touching highly emotional gut still guilty laugh loud elude almost year seeing spoil anyway seen yet couple like auto erotic asphyxiation hallmark remember one fest last year ago look forward afresh rethink willing ride masterful somewhat slimy robin cast real typical today world robin good job always yes worth watching interesting movie think funny poignant dark comedy like funny dark bill simple point review spot movie everyone dark comedic first half movie slow lot vulgar may say unnecessary honest almost stopped watching movie stop bad acting movie movie feel strongly way good art movie also think philosophize would worth revealing lie many even lie spiraled control like movie could keep lie robin one laugh everything see movie exception still pretty good occasionally robin always every movie bobcat commentary pretty much shooting script think best thing men done gave movie beginning end robin great actor performance spot recommend movie everyone robin fan great comedy lots robin fan must see son real jerk especially father yet old man never robin riot film dad great movie weird way dont cry cold dont tear heartless demon give chance first arent good good watch well worth movie pretty dark may offend people subject matter really good find funny joke comedy way different kind movie sure worth watching dissect film really indulgent could find adequate way summarize publishable fashion bobcat would fact one whole supplement crew cast trying describe making better film lack robin ability play dark role believability solid everyone around kind tideland lack reality clarity loyal original film quality random artifact color show infrequently still reference view whole film last pool sequence almost used different camera close swimming slow average anything voice clear movie quality one exception include forgettable less mostly unfunny included making anyway making rated r known pause short order tried view store whoops best make fun better film humor robin true form people look film comedy cover art film dark skip fast forward supplement real usual long trailer quick minute music video deadly syndrome one would watch stated several times everywhere film everyone looking downer film whose message mixed bag end already warn watching family nothing special exactly selling point unique way film quality special watched world dad starring robin written directed bobcat brilliantly dark comedy drama death year old son high school teacher everyone highly recommend rent watch clown good movie go far say great disappointed end watching good one see life bob dark comedy struggling writer year old son kyle vulgar ignorant raging jerk kyle accidentally frenzied session auto erotic asphyxiation scene hide true shameful nature son demise complete suicide note support claim school newspaper fake suicide note becomes something sensation call arms lonely self argument could whether charade thoughtful soulful secret journal son kept egotistical desire work audience whether share grief even grief ideal never truly either way initially pathos attention soon myth grow far big anyone good robin performance strong reserved quiet sense desperate neediness much like one hour photo final cut bouncing around screen channeling annoying extremely sympathetic actor want point rather lengthy montage sequence convey character kyle work focus quickly leaving series pointless semi transparent kyle standing next resulting like bad music video length montage film stop dead said film admirable original story intelligent handling subject matter could easily past edgy tasteless first looking funny slapstick get one reality never less close home robin fine first part movie something seriously unexpected mentality level quite gutter ending really cliche would never less recommend college level lit classes watch push mind consider much literature really pushing see understand world oh worth watching everyone else twice idea movie see came idea wrote go everyone else let movie unfold knowing expect however wonder wrote wonderful deep screenplay someone really write thought finger human psyche condition father son badly need redemption father needing writing semblance success hideous son major slacker female hater loser school life budding serious sexual pervert giving dead boy credit father son loser life father secret plus book supposedly came boy journal saved school suicide want see one deep order suck one little think movie plot ending totally unexpected robin outstanding job acting unpredictable awake full creative buzz movie must beautiful strange everything wonderful human experience watch love give lot time taken people good much content father sound modern production rated cause lot talking information bravery know unpopular cane go religious customs circumcision private matter feel left child decide later forced upon difficult watching baby get everyone around like best thing earth child know may disagree think barbaric movie thought provoking sides justly well made great education discussion starter interesting twist good idea premise acting plot well done thought aware considering dramatic past relaxed new cool guy really went far well done movie although know probable well therefore worth time typical real edge seat tense would recommend lightly suspenseful good plot good acting character sort made movie wrong place wrong time selfish greedy anything keep position movie attention good amount action intriguing overall plot good believability plot well done acting could better thriller kept attention end like excitement movie see movie flow nicely like murder type mystery good watch thought would disappointed especially reading attention suspenseful acting bad definitely worth watching film enough action keep watching also enough umph make rewind thought something picked movie chance happily fairly good movie ending would like see kind main character background overcome great support villain kept getting trouble never knew coming next exciting artistically done insightful piece want information watch j move isle lewis revival favorite preacher free really watching wife enjoy watching well made documentary glad bought used introduce middle school comprehensive simple narrator vocal quite make still us forget saw fighting us understand people went story since many wounded people learned forgive done watching first half hour cracked utter disdain plot revealed complex script name guess answer absolutely perfect need find actress adorable grin sure made great amusement wish could see season two informative easy watch heart felt feel pain lovely people mental illness perspective typical customer review much film black following director marc second foray independent slick brilliantly metropolitan morality tale surely resonate viewer long ended lisk gem movie three four rogue cinema pulp fiction get last one much want read full go links news page black thanks watching feel free add review read muller movie short inspirational life narrator us historical many pivotal muller ministry way throughout film gave personal touch film consistent ability believe god trust needs even impossible god millions lifetime without ever financial help anyone know need quite different television evangelist st century film us work still actively going today scene previous orphange grave one kind life would without muller faith place go highly recommend film well done help picture setting material muller bit dry age perhaps disappointed went production least able view series enjoy took get mailed guess bad series little rushed like ended development could made would bring whole story always edge seat draw watching next episode program really interesting however known discovered watching spoiler character come back life shortly thereafter spoiler plot thinking guessing forward backwards sideways probably might made series plot predictably linear works better good ending dropping rating star rating watching since plot change whole lot keep us watching also graphically violent especially bone breaking head slicing oh certain trend yet writer may trying tell audience although change small life change future matter hard try watched first blockbuster really show lot family well suspense since one could go future made interesting kept anyone watch show better watch bit consistently many come back sure made sense anyways thoroughly satisfied series fourth one great new bad plot really excitement gave still hopeful th season ended like fell many would hurt last saw series watched unlike many watch feel like watching second time th season exciting great good show thanks four final season bring back excitement overall feel first season easily best could done without whole possessing garbage among writing way drawn otherwise pretty good ending besides already might well get one review given volume series still enjoy enjoy best watched one episode another like series good see wish season season volume promise fresh new start put wringer past four main problem season obvious lack support show runner creator many hold ultimate season series decided keep reason assume form continuity throwback none current change help either people watch especially busy night like well growth legal illegal added digital back still considered disaster kept cable past winter watch immediately season pay month maybe dozen hate living outside area cable currently several around like back first two even latter cut short due strike main problem came decided abandon several major start assuming people forgotten anyway causing much dissension fan several promptly forgotten actor ended immediately written molly early little justification say forget um volume uneven best ridiculous worst lots action fell flat big immediately aside nonsense super formula major credit several pull decent performance amongst infighting idiotic turns refuse scene way one hack belligerently wrote might problem volume new promise soon ride logic nonsense several unnecessary prop propaganda prominent plot glossed outright several new forced arc disappear written shown let even get big finale fight scene took place behind closed may story many fact admitted publicly write scene would take long film give everyone proper due even tho said scene involved four people us season volume redemption aka show taking center stage almost every episode even absolutely reason certain character going gay one surprise kiss college roommate later scene useful thing really season make mother new boy friend faint sliced open arm thanksgiving quinto well situation literally two due previous season finale favorite season quinto two deserve nod work together season hand bad ass bennet jack reduced mid life crisis dad given run around obviously supposed partner season commitment resident evil halfway season reappear one scene finale essentially never seen ex company love interest least degraded like oka hiro season brain damage least got closure hiro relationship luckily got sit nonsense due prior film well making handful literally saying making ex device never used season much potential tight writer fill maybe story aka arc ended early season floundering winter hiatus several filler sudden revelation reasoning bad impress high school sweetheart even tho made clear even attend high school well scare normal people respecting much like magneto x men couple reformed ultimately decide stop end destroy central park live goes ahead part plan anyway live leave series throwback opening scene one last time early talk wrap event series two hour movie even proving mere pipe dream true even last almost month last chapter despite wish keep going essentially despite recent character bios obviously meant idea group plain sight good one used media since tod browning even ray park occasion back h among flesh people worked control direction show runner never one season show early release land forget syndication shame really could done much network incompetence behind cast wonder already trying stab season ordinary family fantastic four riff already two cast jump ship farewell quite journey like thank making know season nothing short spectacular know care artistry went writing production seem keep little like narrative comic book titling beautifully done really work love like tired soon sure went along entertaining good part really grew love odd plot soon season die cast end actor god drag whole carnival thing many worth watching end though one thread thread bare halfway season overall happy season stand quite well series end reasonable story point great show part passion left first season watch season love love watch end enjoy may completely totally satisfying still good better thus great season miss show believe didnt make new season love story totally bummed series love series story line little odd suppose series continued could done much circus aspect bad last season pretty well written executed ended wanting wish closure probably second favorite season show definitely refound stride season little different maybe stood little whole carnival thing work season goes along main downer character season emma mean good character paper necessarily one works page peter power really wish would done c la vie like could could show always thought basically good family entertainment little heavy fluff light deep every get little smart dumb mindless entertainment pay attention enough miss subtle without take many series kept good enough plot keep watching looking forward type spin continuance series action excitement build next going conflict series trying lead normal anyone say oxymoron hero understand true gift stop government rounding put ridiculous saving people great example movie saving people serious job superhero work people looking feeling government let society fighting government fighting people instead government point made season government rounding people really working people spend time running away would put super traffic stopped drive would world instead four self doubt preponderous unbearable weight show actively chose hero power phone book one wasnt every season following first complaint killing made almost getting bed even closer urgency mystery first nothing else yes going miss series r p season four show taking back right direction disaster past two show titled season redemption try earn respect back mind earn redemption season good season one fun watch fun since season one season finally organically develop many new season season three dealing spoiler instance pushing mind body trapped head first half season tried get back body along way hilarious ways possible end spoiler together one best season new season cool something long time get see main villain ever charming develop season see evil plan near end season favorite new character season emma deaf file clerk peter hospital synesthesia ability see sound color peter relationship another season really season instead another generic let save world story like story also season something smaller digestible instead trying cram everyone one episode season included episode individual time develop pace something enjoyable watching season slow week episode recently season much better watched back back real slowdown mid season though kill momentum season building watching slowdown painful watch week week return quality temporary enough story stretch lull though season right back best season finale show yet want spoil season seen yet suffice say turn around done quality season almost unbelievable one worst television season crank material lots fun watch people giving season one star stopped long season four people suffering disappointment worse bad first getting better great first people time money get better however got worse worse people bitter show willing give chance willing give season shot see much better gotten update sad show rebound surprising considering awful second third second season around slowly first lot nothing slowly picked season went along writer strike hit gave us wrap result worst part spoiler forgot peter future know probably erased something made impact peter ever third season end spoiler complete contrast first volume third season running around frantic pace everything sun worst part good continuity produced entertaining individual whole volume made sense second volume season three much better first central focus pace flip side took find finale god awful door huge peter fight us first season finale actually entire thing screen excuse something stupid almost quit big climax season thank goodness end spoiler end although much better season two first half season three decent said time time true huge potential wasted lot dying coming back life inexplicably many times die running around future painting gimmick seemingly endless amount time never lived one four good second half season three rest garbage probably complete review whole release complete series box set already good summary went wrong despite quite dead yet making two hour movie wrap series get closure season four finale serve decent series finale movie although gone people would say better undeniably left mark fi television pop culture general great series watched one could get enough well written kept attention highly recommend really never finished get flip floppy season season though one little slow wish could see action great writing excellent especially awesome season especially went south awful show lost heart wish lost gave show ending even though lost well lost final would somewhat obvious never get ending show production high could pray two night series hold breath set great quality three lots bonus least give desert meal first came think last season interesting show great went got little much going finally admit disappointed ended reason gave th season wanting hate see good end thought great concept show wish would bring back season th season way better story development last story tightly wound coherent like season develop struggle carnival worked hope wrap series movie inner geek weeps anyone else remember blood bring people back dead heal wounded cause none seem communication honesty seem stayed vogue despite ample experience showing would benefit everyone despite season enjoyable given good season leaves pretty open ended think actually interesting way end series watch judge one people stand wrapped neat tied picked wrong series get addicted though sure figured series lot wish would finished season hope movie series season heck tattoo ink introduce gay girl really ruined main beloved character carnival really appear ever power supposed earth especially really like television show excited get wonderful price really appreciate speedy delivery thanks season least favorite end end another season mind thoroughly however ended continued series four think ever return season redemption think upon time one worst entire show b slap established throughout show indeed ever establish debatable awesome e g story arc mind well done mostly recommend season new old ending leaves unfortunate quasi u cannot stop watching one watched previous season dont think attractive st left hanging follow season rest though sad good people involved show paled comparison first season although season still pretty good real fan carnival felt like learn new prefer see previous still good though go wrong series always nice able watch without bothersome disappoint provided become interesting watch end great show series item great buy let show ending like way season ended upset season available watch even though must say really watching first season admired established end season big disappointment every single already established great thrown scary enough center story yet show long badly last scene self centered spoiled breaking dad heart put danger stupid grow glad show longer continued unless writer director first season redo th worth continue condition bye bye oh spoken show horrendously terrible either speak real speaker whoever taught speak terrible job everybody else bad almost really insulting culture people mean would never understand saying scene shot la downtown sort mixed image china town poor research poor imagination poor creation capability usually someone charge authentication type historical cultural expression attire architecture seem none authentication show cheap result scrooge stingy mingy tawdry sad sad reality thought show entertaining interesting plot got little weird times good show despite excellent making unbelievable palatable truly evolve instead simply state state various whimsical plot whole thing low level fantasy anyway stomach found could great fun despite occasional tedium tolerate magical return already one resurrection good story reasonably support however major plot device view hi great exceedingly frequent tight facial close certainly unfair compare rather substanceless fairly tale something like breaking bad profound morality play perhaps reasonable compare production high quality breaking bad often quite beautiful magnificent superbly well chosen framing people good merely candy colored actually quite fitting well cocked confection first want say reason giving instead working peter becoming like hero end volume pretty good new people new music power pretty cool thing circus trying get everyone join separating people seem little bit place end could awesome volume come year end revealing world like heck leave like end everything thinking million different could happen world type ending right away another volume respect obviously time series later volume making people literally wait see next volume already grew show many watch done time volume matter good may better hope people watched show find volume made somehow convince watch lot change back show getting finally sat watch though certain eventually found tedious pretty much stopped way plot line season start watching season simultaneously say show keep losing getting better better part season particular treat way really expanded universally applicable belonging fitting people curious admiring may turn hate redemption although full great ability season really rather character humanistic curious relationship one main everyone favorite villain get even deliciously satisfying villain season mysterious man much later revealed true plan power capable driven somewhat top adversary season kept rather tight everything leading next volume succinct episode story arc like gave early like many season give season season chance show really worth watch brother got series watching bought gift lots series interest going really super hero type thought going however pleasantly product quality good cover still intact always use company never watching two show needs watched beginning series thoroughly season four like start trying live normally end brought good first season finding hard give review w giving away partial well suppose say end season loose tied sure ending thinking though great addition collection series disappointed series end never ended wish would least another season could end skip get beyond splendor film old version video documentary great story make sure see beyond splendor end spear done much better old movie let feel lived quite remarkable story video made far know still best video available mystical tradition half hour documentary smith author world though old picture quality great good video keep teaching find something better video quite follow book read many basic good quick story son enjoy reading book better watching video missing different found book interesting captivating story young taught prayer god sovereign care bold obedience face danger opposition persecution animation adequate quality church really film k third true story amazing story audio clips voice difficult understand closed would list week version much fictional documentary clips voice great really voice sometimes difficult understand would closed otherwise story well told definitely continue kind focus dedication towards god life thanks making affordable quality option supplement schooling exactly hoped would informative behind tid fun know someone lived extraordinary life good overview happy animation although might childlike voice quality understandable high quality voice would helpful printed screen voice good supplement movie quite good information given military footage lots information learn actual true form color would graphic black white view understand without quite graphic graphic informative interesting seeing forced go inside hard believe emotion whatsoever good review today us got mess find today many would happen denial power god continue road socialism tyranny view understand outcome moral right good movie watch learning era especially heartily recommend want understand societal today connect yesterday believe worth seeing value life live knowing hard time couple bishop much truth said discovered comic year ago learned motion comic well gave instead full dont think done episodic format go opening ending every otherwise great buy well worth price story line great alternate history superman mythos animation wonderful show two sub complete run apiece tremendously st let say series little unique short quite well done familiar similar used call take one drop different setting superman spaceship russia communist hero people hero two eventually battle anyway series feel little short fun time personally would entire series video could watch straight uninterrupted bottom line fun series check one real series find funny shocking definitely raise bit comedy best drama unfolding every angle season real set bar real estate agent spencer ally walker well profession yet list house boss house comes way could last chance bad enough son getting trouble school life gotten difficult since husband recent suicide well call comes couple see house unfortunately idea different couple ahead pair male duo ruthless murderer looking something homeowner increasingly suspicious middle deadly mystery appointment made suspense thriller story solid well especially ending satisfying well movie much feel excellent job getting message one really want end thought lovely story lot show dead mountain want see level history course assignment film done band even harrowing sheer intensity day expressed verbal eloquence potently pregnant never amount time spent intensity gale force significant historical content specific numerical beach command operational timing make academic asset film significant religious slant explain often phrase fox enhanced level comprehension always easy beyond generation grasp intensity divine belief understanding sensitivity adherence veteran modern times daughter vet niece soldier day yet female privy level intensity father see film honor memory painful world program information accurate find person fascinating one world leader less soap opera plot development might saved show first several often dwell mundane spend little time reason mission striving profundity particularly banal writing first five rarely rose ordinary frequent unsettling mostly appear without transition show start get good episode finally begin soar anyone believe people could even start kind mental stability job good actor wrong role sex city heartthrob kind guy show great look like technical complexity unfortunate show becoming interesting suppose decision cancel based audience reaction initial often dull given chance think series would something special aware gravity available purchase never figure network television us let show caliber finish season well actually money get police pull week imagination way much thought common man woman fear sure allot people offended high quality work one left wanting kept looking following start date turned five left un us run finish thought went writing gravity sub slowly revealed visual effects went making watched special tonight last channel taken star gate gave place expand record run equal star trek production another show television done picked gravity could saved never know course seen last five purchase watch series beginning great anticipation remainder gravity already seen paying twice price would worth add collection gravity upset wish would movie two finish story like story line around bit basic plot interesting unexpected nicely good kind believable zero gravity environment tough manage series like would recommend family due frequent roll hay series really well written mostly well cast really nice see prime time series last join sad saw end series without knowing season shed light hope look forward watching series enjoying fine science fiction series unfortunately network hope like firefly series would pick enough fan warrant another go read producer think want try without entire series check episode think hooked enjoying show fortune brother loving funny times mysterious enough real science stuff make interesting recommend thoroughly first three gravity smart well paced thoroughly interesting fi content would like science front center really hope work incorporate crew see bring money home us show like fact show largely personality watch space stuff get days mechanism built show explain would give excellent excuse get technical well casting good well would like see overt racially sensitive crew balance male female mix race nationality message fly translation necessary like think slightly ahead us future could smart translation rather make awkward sweet n show classroom clip instant translation several second montage beating little heavily social conscience drum well definitely put potential understand past start hope learn lighten good story get point across without preaching little preachy let people make let speak truly point view think perfect good certainly deserve second season major story good long story arc something offer long run shame series seem long television generic extreme level well worth look actually gravity thanks view pilot free likely purchase show comes hopefully complete season set gravity internationally produced space travel television drama series first television august set year five series eight four four men five six year space mission solar system everything show kind made movie back star command unofficial pilot series fold lack popularity movie received hope series lived gravity considered drama series grey anatomy space especially funny considering star command teen drama space humorous time space deep space nine star trek enterprise bit dust end run world could certainly use fresh space science fiction drama hope show build popularity note program network cast headed lead role office space available video demand highly recommend second command mission visit several six series via talk talented enough put conviction believability especially spaceship script dialogue move moderate pace may find slow patience viewer pilot new series obvious going roger flash type good bad space flick psychological fi genre although technical work graphics respectable enough recurrent series current six year mission blurred related whatever ya want call previous mission headed commander current mission mission ordered leave two crew behind tremendous storm approaching module blast fellow mission great deal guilt plot romantically involved one left time great doubt whether really leave two behind whether could fact saved safely leaving error judgment would made mission head back earth also heading current mission well known fi right vague similarity music blatant enough seen rip like intended evoke relationship completely acceptable cinematic device mild relatively sex understandable traditional way attract significant audience exploitative enlarge frequent current mission find somewhat disruptive times relevance plot however find disruptive maddeningly frequent disruptive blatantly sexually exploitative sex vanilla content popular series lost found different enriching series far fair although somewhat stereotypic although first generation accent may seem white male baseball born small town drunk father wonder would heritage perfect accent make film believable would atheistic female extremely strong libido sex drive like german woman seem believable object thing bay real one control mission right included mission reminiscent mother alien definite agenda space mission contents bay really agenda genesis took control mission mission allow control mission tension film one extremely actually besides curiosity nature bay well better good build rate contents bay mission psychologically physically two original team spontaneously giving heart trouble mission selection current mission team unlikely included one swimming test test meant immediately exclude anyone failing interestingly thing bay time writing contents bay verge revealed hope seem like mission commercial exploitation business back earth mission unveil banner space big buster candy bar something like candy company eve accomplish contents bay severe two mission somewhat humorous situation two trying exit bay door outer space move two mission make exit bay busy one war hallucination dog dying moment episode waiting bated breath next episode see heck bay continued work art cut short life hope one day show go gone four unaired certainly eager see wrapped season satisfactorily indeed bonus listed fox press release content disc pilot natural selection threshold disc h k bacon love honor obey eve ate apple mission accomplished look gravity photo slide show design set design costume prop design production graphics promotional photography happy would love seen put much emphasis sex appeal romance prime time even know us might made season failing network loss though glad wait get watch whole thing gravity best show probably never easily best new fi show besides like joss firefly idea show promote show definitely watched like many people idea even network read please take heed scenario year long voyage solar system show believable distant future well defined three dimensional people actually care interesting back make training fascinating watch get see got wound supporting cast also strong well defined writing great production finally fi show honestly accurately intelligently main character case catholic often stereotype people faith gullible uncritical think believing god turning brains believe mission convert everybody see rapture everywhere gravity type stereotyped misstep made far wonder whether beta sign rapture problematic belief rapture part fundamentalist evangelical protestant dispensational premillennial theology subscribe willing overlook small suppose theoretically may believe rapture physicist comment brief moment doubt many believe god complexity universe true real world lots intelligent people case also believe god show take religion bit seriously catholicism placebo show nicely tension mystery going throughout first season dramatic suspenseful note leaves desperate slim pack set lot special documentary mission accomplished several production conceptual art episode cast would nice especially show hopefully goes way firefly somebody show back learned nothing original star trek firefly show easily set special lot fun watching would definitely seen whole story quite appealing television though course quite oblivious seeming supposedly smart generally television movie conceit quick search give behind going set even critical show approaching fundamentally science fiction show definitely soap opera space setting good story writing enough survive wondering show far evident set got budget story line thus far hooked program prime example excellent idea exceptional design award winning props promising compelling cast utterly poor directorial delivery slow bad direction doubt misguided audience endless every episode thing much realism know slowly occur real space translate television audience pace quite bit dragging every scene painful watch imagine slowly dragged weekly spent entire episode tether astronaut also suit last episode preposterous make ordeal short distance better technology metal tractor vehicle remote fetch device yes even heat pressure downright aggravating stupidity lack tech device overcome defeat technology cant get right mean series follow suit dod compartmentalization isolation stupid creativity series better impressive new hi tech thrill audience make groan defeat show lead way follow also limit show tolerance first two actually confused audience tell watching continued every painful episode last scene fi show needs best latest technology perceivable need weekly disaster soap opera keep audience interested days week find material excuse lack innovation weekly finally main death series take ion anyplace old fogy remember star trek really think learned still hold grudge big rigid nearly later would waste decent show idea like deserve intelligence recognize good program see still exist source local news people satellite cable broadcast another major inappropriate female sexual harasser may one tolerance sexual harassment especially workplace law heavily zero tolerance behavior either gender cute audience would fired jail behavior audience zero tolerance behavior know dinosaur business involved series revamp show quicken pace fire hire eureka combine two show create science gone wild personal without orgy space one type besides singing beta interested without alien battle show moderate gentle mix like real deal appear curiosity directly interact also maintenance written story weekly disaster technology personal interaction stress love story pace must lot faster vague dragging along week week beta must something much meaningful impressive week communicate without constant negative guilt complex get rid guilt stop dragging audience uplifting hopeful technological get away theological theme must immensely positive special crew perhaps genetic like spontaneous healing telepathy perhaps miracle star child reproductive raising child journey guilt either space crew ground crew negative element must cease revamp show take cable still salvageable faster pace much tech extremely limited also need award winning theme song attention anyone must catchy recognizable tune find nearly top series current theme like cat randomly walking keyboard top series theme song theme song irritating noise make still sell show another cable network make work must prepared show pace dumping female sex addict technology tech team super science geek aspiring love story exciting space dynamic memorable theme song make second go selling idea honest right front expect like gravity gray anatomy space anything wrong gray anatomy lots people seem like cup tea however summer much else show space ship tried got weak start opinion constant little annoying first although nearly bad event stuck show keep getting better better stopped order start regular fall season totally hooked looking forward resumption show broadcast rest never much written scientific show pretty ridiculous idea going back put aside television program earth make much also said one dimensional said first season star trek next generation show eventually got footing turned rather well gray anatomy similarity think way lot police attempt drama suspect daily routine living space ship would bore people spiced interpersonal mystery story arc could carry show finally broke bought pick show left glad watching beginning positive attitude time quite pleasant experience one best show clear start show creator knew going start finish show watch lost quite clear lost however show something second episode becomes important last know something worth watching watching show beginning let see appreciate effort went story line point crew seeing regret past however tip iceberg show major character subtext make define us since perfect even lot potential drama show cause slowly revealed people beta used drive show plot however plot device usually used get trouble less going cut slack general ultimately show wished could seen little shallow getting better show good story tell told well could sustained something never know worried huge cliff hanger end waiting wrapped next season never come fear huge cliff hanger comes penultimate episode resolution place last story wrapped laying ground work next season ultimately show next planet dying see show would ultimately come following links personally think get prematurely show post would ended good series better w dumb interrupt want show brought back gravity good greatly first time show somewhat nut happy seen list would like know anywhere area thank kind service bought last like several series thought really good much wonderful show imagination viewer help drawn interpersonal become said bought two days ago per episode recession going well certainly surprise first learned gravity decided check story many decided add one collection watched say good work production high cast perfectly story extremely interesting somewhere read review continuous confuse viewer totally disagree made care every story development climax episode walk feel show different change welcome show definitely deserved continue script production level would become great show read axed episode beyond decent say least like firefly gravity mediocre continue many stop setting high first complex series like audience decent series available think evident check nowadays regarding gravity sure check sure hope future picked like series first understand know say slowly think real problem fact think slow pace actually strength start happen much better faster paced show think real problem took long become attached took maybe half dozen even lived problem series friend highly glad ended really liking show wish see gravity series handicapped story tour solar system story romance adventure mostly mystery story mission true purpose closely guarded secret even get secret learn longer kept dark highly recommend series try may like documentary provided insightful look culture important saving prolific race history study perhaps learn got wife fireplace without wood smoke cleaning wish loop process instead finite time one favorite television wow episode little gruesome like seeing blood fine otherwise recommend watching eating dinner like thoroughly collection within quality excellent season full piece regarding captain well done well worth wait always great show reason give prime dead alive theme song beginning right without catch since inception show think one best reality got know time bandit northwestern season different season due derrick ray hired captain king crab season derrick ray paranoid mean spiteful person unable deal jake josh horrible ways sure jake look well decent captain tony far behind derrick ray wizard man needs anger management classes cringe see incredibly abusive way ship would saving grace season time bandit northwestern always exciting always funny always hard working least act like unlike derrick rose jake josh people really people care husband recently bought smart ray player accompany since already prime series decided start watching season catch prior smart ray player cable discovery channel something access would pick catch local enough know main lot really like fact sit watch minute episode go back evening season episode rough start many struggling horrible meet respective many imagine could happen lot drama losing captain prior season taking new one looking forward finishing half season soon love catch wish include catch complete believe great show new great change face reality check men c great fisherman may lot work one everyone going working hard always smile joke say everyone best king crab season ever eats raw cod drinking fresh cod blood catch without three ah catch favorite show season disappoint even little therefore less time spent boat season northwestern favorite season hope comes back next year think jake needs stop one focus learning job respect deck otherwise seem pretty normal northwestern crew long practical big time bandit less time bandit season whether going boat discovery channel lawsuit know always enjoy especially new greenhorn wizard admit really like wizard think monte abusive unreasonable crew fellow needs go anger management season handle alarming degree amuse huge amount dead loss king crab season despite fact days average life span crab days miss boat show never without king season scene lots drama new captain think jake probably smoking pot boat also think reaction overblown probably stemmed anger crew essential mutiny actually afraid lose license jake caught boat turned around season also back last season much care wild bill last season better go around grounded less fly handle everything think good addition show new year normally like new feature every year ended really enjoying hope back next year junior interesting crew hard working still fun able take joke seen egg debacle rose care ship awesome captain rose return next season happy also please note set one sold include catch content believe set sold discovery fan show season disappoint big weather close big seen waiting season new new new excitement series get wrong love old time new blood season lot watched straight great gift sure season different without many flare seemingly good gave star rating language violence sure go season season bit let josh jake like spoiled know jake getting high either way season also missing catch great addition also thought many something show kind felt place maybe missing thought good much drama josh jake shadow show damn understand way bad fishing works good fishing grab crab go bad fishing wait find crab two get idea turned tail ran away king crab season wizard bad fishing crab season run away stayed crab found also came high find crab stay find somewhere else rocket science usually little find crab two new shown probably big thing talk edger northwestern left boat king crab season hope comes back day cant get enough series interesting good show still one best one thing nearly season neese guy deadbeat loser needs show drama nothing worth watching mark w wanting watch film awhile friend one sent link film meaning since best friend film plus one main mutual friend story pretty good must say tug heart touch romance humor drama nice show wire contemporary find episode buffalo rough n directed little tale life isolated de northern province people live herding cattle farming selling milk set apart outside world sort modern day throw back time carry farm tradition unchanged present presence union enforced milk production competition resulting crux story grumpy demanding two since mother taken keeping house order well assist father dairy production younger one goes school time dancing neighbor works alone son left farm become hairdresser city eu lose comes claim prize milking cow revenge settling payment first calf year new calf calf parentage anger barn prisoner place captivity discovered freeing daughter struggle resulting death farm father funeral attraction mutual disagree telling police truth death paranoia pacify little knowing slowly fall love tension eu police truth death revealed forcing family relationship prior harsh discipline understanding forgiveness story simple quiet reminiscent pastoral painting underlying mystery seemingly ominous storm valley superb excellent cinematography f spectacular fashion musical score wonderfully atmospheric another jewel film evidence n one consistently fine harp really enjoy little show great music discovered little gem really check lead fabulous love chemistry bought absolutely love show disappointed turned read people extra one thing like lack creativity displayed disc menu nothing would even remotely make think instant star nothing like first season main reason write review also ordered season wondering season extra went disc along season extra comes season buy know love show son watching crazy acting video quality kind amateur rolled though find wondering would become bummer ya season long release instant star season rushed season n nothing wondering different standard keep case double sided edit echo bridge entertainment informed rather giving us issue season season missing bonus season glad making buy season still get bother season bonus first place review remains star excited season instant star double sided disc potential scratches least see half one side half order downside special worth however pop watch season whenever want although like tape flip side absolutely love show admit like fan anxiously release season wait see special totally disgusted lack effort put awesome season show deserved much better us special disc set disc front back season obviously upset said happy disc watch whenever want gave review four show fantastic rating everything else would get zero got movie two ago still well recommend anyone series series love instant star price great set would say click buy button right perfect condition yellow envelope play sound quality awesome video quality set legit funny put heart soul finding catch sight almost daily much delight see maybe see like say great like end even question going make documentary rock band approval band management might put say pretty good job starting handicap since could interview band use music ever could childhood former band know music like documentary pretty much everything main young bon childhood one case death pretty decent information former band people associated band early talking formed came former band like singer seem particularly bitter slam band anything since unauthorized one watching pleasantly hatchet job since love might bit much really produced stellar quality pretty low budget getting new information insight band current former also goes influence older brother band experience industry make necessary take next level would seem like waste time without able use music direct one nicely people grew never huge fan iconic found never knew pretty informative band early days concert footage though thought pretty well documentary made one narrator myriad exotic yeah remind little high school days teacher would make us watch boring documentary except adult found style pleasantly nostalgic content fascinating one write report afterwards half upon regarding gaining momentum pleasantly freshness accuracy best knowledge information given early far away huge iconography made wonder many still beautiful intact since get plane go visit fall disrepair worse narrator us life unrelated flash background glaring though poor joyful moving narrator made meaningful around one two geographic later part film mostly wildly exotic convoy one teeth yet narrator making wonderful unique point ritual iconography local monastic spoil besides probably get wrong short film half hour worth small streaming fee interested want something modern better production value personally inspirational plus narration number popular talking also highly recommend documentary alright first movie obviously budget acting awful sketchy best still documentary style horror film blair witch project worth mind basically home movie actually movie take serious movie chill back watch peter van dorn nirvana drug brain testing live shut meanwhile weird going town peter daughter cheerleader east dumb doughnut eating cop joe investigating whole thing film high camp value far better delivery initially movie camera see killer show killer us figured effort cover bad acting worse special effects used parental guide f sex nudity sexual watch risk interested informative something watch learn like learn factual anyone interested like video due authenticity would recommend teens younger enjoy watching shark shark week entertaining lot great information fascinating episode validity great white coast even though water warm really good shark footage prove breeding going shark cage scary would gladly watch series proved exceptionally useful learning faith perspective provided clearly stated faith effective perspective read cover information independent apologetic assimilation dock star otherwise excellent production critical apology maybe really spoiled funny episode bummed discover available bought show class need understand mystery comedy rare breed days especially monk gone reason alone series worth got laugh loud good tension take seriously great show story dumb like think tank care direction going well thought directed writing go back forth dumb right growth fathom distain yet ask help appreciate go back distain know needs dissenter sure works yin yang theme finale well done although dismayed mary hoped like really yet poignant time favorite show sorry going air still see watch many like put want one watch since monk longer good working condition matter much time goes still attract psych season hilarious psychic little dark wear tear rest season full well episode ski vacation interrupted brilliant art thief hill must figure way thwart perfect crime make worse timothy determined capture since thief back slew weird possible demonic possession billionaire solve murder wild west town drug lord college quartet soldier mysterious death disaster college deadly virus shark attack curse man werewolf side thug course case must find way tell gang dragged another game cat mouse yin dance partner insane yang killing people style psych season four perhaps uneven season show thus far good good kind flawed think tank fortunately psych worst still deliciously weird experience still exceptional writing twisty full strange get see biting u marshal also usual psych mix hilarious dialogue first instinct willing rule pesky elves funny henry stuffing little car trunk horror neighbor increasingly strange always turn murder season comedy light mystery drop couple dramatic finale brilliantly web murder twisted trickery poignant loss pop culture peter pan charming funny weird goofily immature show serious side finale also see actually long term relationship struggling deal selfish seem respect work hill amazing normal guy reins weirdness little get time spotlight sick solve bizarre case way would deal ex brother mixed psych season four rough still delightful blend mystery comedy occasional spattering darkness fun crazy still got like fourteen excellent price psych still awesome yin yang conflict finale however getting extremely tiresome good series gripe menu show spoiler episode selection thumbnail used play episode give away criminal showing picture criminal act detective series cant believe nobody picked quite disappointing star due four keep coming disappointed one prepared minor season finale sister enjoy psych series retirement wish hilariously funny two since bought season six want break series plan season soon comes psych really two ongoing dad season four mostly happily involved abigail still clearly eye neither romantic possibility completely capture attention throughout season wear thin henry meanwhile largely peripheral throughout entire season bit disappointment still carry witticism trading ways entertaining ever chemistry hill really heart series display feature least one scene nearly every episode least one commentary track actually feature video audio commentary cast crew clearly love making show great substitute standard season recap series include otherwise gag reel pair staged assortment various running season none terribly important hard imagine left said season already covered bountiful commentary note writing commentary show laugh season last one love feel like potency show wane got hooked monk watching ordered last season see dear monk identify somewhat often great show thing like brief sometimes brutal violence beginning episode stage set plot otherwise thoroughly season monk season tony gray ted th final season monk upon hearing news disappointed hoped series would least get th season since monk favorite number season think wise wrap show take wrong season bad something made previous good season return actress bitty holding money rather give fired wrote show lot disappointed written rightfully big debate among better split choice easy one much prefer also prefer well final season monk everything know impossible please everybody stated final season monk enjoyable opinion slightly special something regardless series enjoy season much monk favorite show monk case working actress favorite show monk excited meet wild book good episode good twist final act little top regardless good episode monk foreign man woman hit run husband comes stays crime scene burning incest monk talking finding wife close home monk help really funny episode classic monk funny yet tragic monk home car monk something like think monk alien episode little silly alright episode monk someone else hit man accident monk since identical hit man monk goes undercover find hit man good episode nothing really special overall quite funny enjoyable monk stand monk solve murder case lawyer accused go trial lawyer monk testimony guy monk longer take randy comes monk seeking help may able nab guy another crime interesting episode ending way convenient monk critic woman found dead falling balcony critic killing seeing critic wrote negative review daughter school play nobody funny episode nothing really special monk voodoo curse people turning dead house police find voodoo show people doll days person getting doll monk trying find going interesting episode pretty good mystery also tad silly towards final act nothing really funny mystery episode interesting monk goes therapy monk insurance longer pay therapy sessions left choice join bell group therapy sessions comes across rival somebody killing group one best season always funny monk riot happy birthday monk surprise birthday party monk easy thing since monk always one step ahead meanwhile monk death maintenance worker really funny episode one season monk return collect money accidental death uncle monk foul play highlight season seeing back prefer good see get better send since actress course fired holding money therefore one episode gone next love episode monk dog monk mysterious disappearance artist foul play thought involved monk taking dog missing woman best episode season fun lighthearted monk goes monk goes committee reinstatement one men like joining randy trip part outreach program one program son man monk liking win man funny episode bit sort season monk best man captain get married k somebody trying best make sure k wedding meanwhile body found monk brought investigate two tied good episode often funny opinion one season monk badge since show monk first important solve murder wife get badge back episode one comes true monk onto police force cannot happier soon badly may entertaining episode great see monk force think slightly entertaining yet another appearance different character probably best known invasion body dead zone also married tony monk end part end monk find soon enough man man poison monk unless find poison came nothing monk knowing end near present never death inside tape monk closer murder excellent episode really funny well highlight nurse trying give monk shot monk end part final episode show monk bent person hospital desperately find source poison admit slightly disappointed killer still excellent episode really nicely truly great seeing monk happy love homage first episode stove monk like monk happiness like said slightly disappointed revelation murder regardless excellent episode great ending truly one kind show thought final monk excellent fitting thanks cast monk always excellent season best perhaps however pleasant watch like monk series closure could open case murder ending sure nonetheless better mentalist come fact monk stayed true single minded curse finding justice straight end got timely manner opportunity watch yet new thank much would given whole family still disappointed ended show prematurely view many series unconclusive maybe another season monk room another season almost everything wrapped beautifully spoil say monk murder see get see major many find new love love show ending one favorite complaint would seen monk brother ambrose show great funny little weird tony everyone else terrific wish would gone ten always enjoy monk play remember short mostly good ending great series monk finally finding present never pandora box unhappiness end turn nicely man new also open captain randy also found somewhat season past good show watched almost season one really wish would third season learn comedy multiple personality simultaneously loving disturbing nature book film series fascinating lot great idea series funny really enjoy facial witty writing creative intriguing watch female character male personality come wreck havoc life hope series stays around lot could really great show funny emotional hard brilliant role character multiple outstanding two play husband wife duo deal day day living multiple juggling family lot adult language sexual really series based completely around main struggle multiple personality disorder fun dysfunction top mental illness semi benign dissociative disorder becomes much top notch writing superior cast pull agree dissociative exaggerated series great deal realism well see might find offensive may find great relate certainly every multiple different every internal system different give kudos getting topic wish release date show good like different series well put together mental illness family relationship person humor real tara family worth watching definitely entire series get complete profile show taking worst possible time average sure really funny believe towards end season got serious less lot better hence four looking forward season star show also natural writing interesting enough keep hook particularly near season close gave four season found entertaining quite hit perfect like little raw improbable found funny loud one best series seen long time really feel excellent mix comedy drama really great show original well deserving praise really concept could done without much supporting cast show continued would watch saw preview video found enjoyable entertaining known controversial top dexter l word audience coming back think disrespect family people suffer multiple personality medical seen disorder done sad also seen stability stay medication took show entertaining wonderful cast would like see take us road handle family habit intense humor see think audience give chance ever one dint know time went someone like know prehaps someone never associate clue anything yet still husband two self centered sister maintain daily relation wondering might might taken welcome world tara middle class life multiple dont go excellent cast interesting story line fantastic job personality excellent husband well also sometimes hard believe high school looking forward seeing next season bad little boring times though funny times could little better opinion transformation character character amazingly done say favorite watching vacation within week watched hooked psychiatric professional yet encounter sincere case however think good job close possible concept mean fictional comedy funny love way family illness well tara constantly causing chaos seem work illness times showing frustration story outlandish genuine completely relatable family show show awesome definitely sad see go happy want love series try watch religiously every week reason gave watching sometimes give especially guess really streaming first two series dexter season three probably would gone unnoticed however cancellation ugly betty desperate getting long tooth looking something new innovative replace old united tara appeal much credit must given outlandishly original premise thirty something housewife mother tara navigate way life dealing multiple take body help deal traumatic teenage experience like series profanity sexual run rampant comedy comes everyday life sometimes unexpected casting everyone involved great job see sadly appear tara therapist mature beyond teenage son probably favorite character watch interesting novel see family gayness show go way make big deal issue contrast sometimes cringe see insolent disrespectful made daughter jaded possessing huge sense entitlement character accurately reflect current teen generation like seeing bad like blue collar everyman trying hold family together probably piece pie tell really good guy heart best trying situation one series hilarious laugh loud comes mid way season tara sister medical mishap birthday party finally quadruple duty title character three alter foul mouthed boy crazy teenage hellcat prim proper housewife male alter jack loving vet buck interesting see persona inhabit tara body given situation must relish role many different per episode though imagine process must exhausting half way season fourth alter primal animalistic appear entity known havoc health spa tragic hysterical united tara favorite show premise acting writing back season two nurse definitely check show though main character little real opposed well formed story revolving around family member mental illness provided great story say someone nothing kept waiting actress stop say scene something bad acting class humble opinion would powerful stuck axiom less strove greater subtlety know would consistent patient would better dramatically recently saw two show seen definitely element four seamlessly tara original mother wife character homemaker baker southern charm obnoxious care free individual buck foul mouthed interaction husband entertaining totally convincing portrayal individual character excellent job dialogue character son daughter amusing well son student emotional mother behavior daughter typical rebellious teenage student back lack respect want watch something entertaining tune produced steven entertaining intelligent yet funny show multiple entire cast amazing stayed interesting throughout following fun show heart funny without trying hard wish love great acting great subject matter edgy serious comedy serious subject multiple personality interesting plot never wat show dealing multiple funny looking forward next season show interesting depiction really family truly wonderful different interesting done love role certainly versatile whole family great job first season ust enjoyable interesting see switch character character family personality first really personality true family impact sort disorder unfortunately time got th season mostly depressing want ruin story progression anyone season one least believable portrayal first time felt strained would highly recommend watching series seriously funny lot colorful language tho watch recommend watching new series really interesting different looking forward new season series add collection everything look show drama humor chemistry coupled talent show appreciate able see thank goodness video interesting show love big fan predictable formulaic love watching especially great job wish still enjoy turns guessing right end show pretty good follow season good character development pretty funny times whole serious necessary still holding interest diversity think first season better common place see people lie time season season dangerous lightman team confront anything cover hint unrealism season like lightman team hardly ever get go confront people dangerous site mine shaft anything could blow second like team still realistically work either office one one otherwise though season still exciting good acting interesting tired series really good alternative still love series lightman become bit obnoxious personally like arrogance goes far still concept remains winner thought acting excellent lead character part well abrasive egotistical annoying extrovert excessive female supporting cast outstanding show truly vibrate second season first forward interpersonal dynamics intertwine worth money especially caught sale consistently good revolve around lightman group trying find truth much simply spotting lie great show watch one right better view one episode otherwise slow night series finished second season beginning third glad see available series great crime series highly interesting theme story funny kept guessing murderer show informative entertaining know watching first two show watching new season really go back find enjoy particularly bit still series entertaining take seriously season good definitely better season good season feel learned micro threw watching show thank creator show providing easier medium learn micro family definitely hooked given seeing something television love someone enough imagination set series find really watching well aware body language could use science less bed though think need love suspense great show must watch series everyone pass time entertaining always idea able tell truth could teaching school love story nice development worth love father daughter good likable sometimes feel sorry main character class personality series great first season lose focus second season still entertaining way ahead many season good st season opinion better season st purchase perfect condition time willing purchase season standard even though willing purchase set two sided routinely get something unwilling live someone tell season single sided season yet know playable good enjoyable cal lightman run around mouth hanging open much time look like idiot guy horrible nasal congestion writing delighted able watch good show like keep science part show going like first season show think better fringe really like lightman goes heart another awesome show cut due evil fox network publicly known deny cutting whim even highly popular profitable must preformed exactly fox network otherwise show would stayed air much like respect ordered gift apparently series disappointed came works supposed problem ray seem find show ray anywhere good enough could cancel series beyond great acting great fun drama enjoy people art science deception detection average consumer reduced entertaining television program entertaining enjoy human fun take seriously lie admittedly bit uneven real life premise superb season maybe best three enjoy show accent often hard understand annoying guess supposed excuse actor understandable left channel goes way sync around back normalness weird never audio issue must artistry blame one machine error lie work scientist made study involuntary facial life work program interesting involved criminal personal well political even sports also use real people expression similar interesting program twist absolutely series stop watching kept wanting bad season length wish informed many like fact exciting humorous sherlock sometimes predictable nonetheless thought provoking attention definitely worth watching show better goes along sure maybe little character found show interesting fascinating much tell people believe another show like interesting story like seen hard watch one night start really watching people speak series little pedestrian quirky acting series fun watch really like part enjoy interaction well love show impressive idea professional team spot based body language main character compelling supporting cast hit miss interesting appreciate show real clips lying us body language facial definitely pop psychology style true main character based real person satisfying love catch lying interesting theme love much expose let get sake affair second season get lot development supporting cast better first dialogue b b plus story plotting b plus freshness topic minus overall grade b plus watched watching show much wait see upcoming applied psychology best interpretation way season two great price came season enjoy show fan like series found series engrossing interesting serial construction political intrigue centered around veracity involved interpersonal drama main secondary show appeal story line although martin probably meant star think like intelligent series learn people society lie extent learn reading people deal first saw film easy task rest cast alright film strutting glad available granddaughter dance every night never got see lie season type work addition ballet thank order season available always satisfied book good good first season still worth watching got interested psychological premise series take team outside office creative writing continue keep attention innovative unusual continue move show forward question remains long continue develop original truth lie series second season showing main first still well done series enjoy thoroughly like elementary mentalist done enjoy gave really want give unique show since millennium bad writing show potential unique premise terrible anything standard crime drama writing many maybe danger door far many dark different soap opera fodder cliche tired story driven show need extra fluff see show promise sloppy painful still mediocrity enjoyable almost every case unrealized potential worthless rare case potential enough stick around acknowledged series like second season good first one tall order reason saying first season advantage able surprise us simple explanation micro detect lying fascinating tool therefore led compensate top introduce much action first half season several terrorism least course plot lightman group lot action suspense main typically enjoy series use lie looking something different glad see second half found way balance normal group little less action several personal related main much lightman daughter foster love interest sister fun watch spent time getting know usual performance top notch regard finished watching season sad realize left season show would still enjoying series quite bit multiple story episode mixed humor adventure family make great watching many touching watched develop humanness season thoroughly enjoying course lightman obnoxious brilliant business fleshing especially love first season lie unique used interesting season first lightman group taking free running business times season personal interest one family staff talk financial difficulty firm could concentrated business plan final compelling drama suspense unexpected season cliff hanger agree accent difficult understand fairly good season excellent better days enjoy character development love ex wife involved would make feel someone could tell telling truth cal rascal instantly lots good science plus support staff believable find hard believe psychologist counselor right time believe many consummate ordinary people lie however cal lightman irrational behavior show headed downhill great good bad people truth subjective cal lightman second season popular series lie lightman use reading people separate fact fiction helping solve variety amateur poker player win quartet professional executed man really kidnap murder last facial indicate otherwise lightman testimony get executed second season inclusion wealthy former client becomes benefactor lightman group cal ex wife half group order help law practice prevent moving away marvelous actress character annoying intrusion nothing show aside eye candy three episode story arc mercifully short probably help character one bunch although allow plenty verbal sparring lightman ex wife one series new love interest foster victim cal obsessive need know everyone dirty laundry mysterious past mark spectacular job complex anti hero often comes across rude overbearing know easy see lightman complex character people love hate fox done nice job second season look quite nice sharp clean presentation show also get nice second season set aside usual many gag reel also get good lightman lie detection inspiration lightman character consultant show also pilot episode also get honest man employee lightman pick also included us behind glimpse show unfortunately fox include commentary slight change character season two second season lie strong although bit uneven especially first show set priced could special production show get quite nice honestly really recommend set first season would suggest coming show late may want pick first season season season one ray dive set season one june dad fifth volume weird huh like show even though show finished first run show already buzz collectively dad also family guy huge hit dad apple fall far tree style timing different mash make show expansive limited depending situation mike barker seth explain better premise dad agent smith seth average family flighty wife two dad liberal odds dad couple thrown dee baker german trapped body fish roger also seth alien live disguise constantly family formula plus couple wall creative interesting plus side show easy platform making fun political taking account job sometimes almost outdated time get put air due time animate sending comedy better works occasionally like many limiting spectrum show works show great voice acting particularly seth seen seeing bunch easy see show grown fluid much way family guy worth love type humor probably still love family guy bonus uncensored commentary every episode set mike barker commentary almost every episode talk came together sending animation final jealous one shirt bendy board family guy seth surprisingly episode commentary clear show baby get see many many cut time funny alternative example scene bunch bald originally cancer watch episode see switched fan club stuff would absolutely hilarious time sometimes less works best pop trivia available bar hustle episode fun dad cast making episode get thrown pretty cute power hour drinking game hour worth one minute clips roger commanding audience take shot milk apple juice course wink funny hour quick clips best funny without episode around however actually drink harder stuff every time roger beware volume quite solid enough good stuff well number one best time ad best weird vacation goo example time lab full night sleep spend nights silly nonconstructive like video probably would also roger evil ad gold e volume wiener discontent roger decider phantom telethon torture fund roger phantom excellent include bar hustle stroy daddy two consider little weak family affair suicide part every way lose bit much disc phantom telethon save torture fund roger idea telethon demanding credit idea roger persona phantom sabotage said telethon wear scoliosis brace man discovered something also roger smuggle expensive hotel room care much one went vision time needs alone time lab need sleep night whatever without family give extra time constructively may end leaving family extended period pursue new interest good one family affair find roger cheating another family strange episode seem like fabulous fan koala brain homeless guy live let fry declared illegal turns good doer son fat smuggler country market guy love yuck meanwhile roger collect inheritance roger back control freak joining home association exclusively smith house side system fighting disc jack back father parental neglect getting way relationship grandfather prison meanwhile working internship roger bar bar hustle spoiled rich mature get back bar episode extra view pop trivia wife insurance mad back wife back husband partner expert ladies also roger team crime duo legman story bond trying find door complete car run competition good one every way lose prove worth father football team becomes coach said team son roger conspire get even ending suicide stuff little much meanwhile trying win pie baking contest anti domestic like caught baking pie think cooking wiener discontent roger big stuff going believe roger decider determine whether earth saved know bad actually rest suck sorry see die roger hoax must find another way wield power life death disc daddy always dinner terry father ex football player son unaware year relationship terry relationship much better dinner party partner embarrassed one good episode night participate night turns night violence dinner front seem bad also roger compete attract roger hilarious nothing special drinking game clips show volume picture roger text take shot actually clips made want go back watch like one roger alcoholic mentally boy holocaust wild ultra right wing c specialist smith uproarious smith family dad volume five join night goes wild reckless one compromising situation another housewife backup husband marry dentist alcoholic extraterrestrial roger sent earth determine fate mankind daughter job bartender roger makeshift bar attic college credit son goes drunken bender meaning phrase beer dad hit animated fox twisted mike barker seth creative team behind family guy final fourteen fourth season deliver outrageous humor feature memorable guest like oh forest ken seth green forte though many season season basis difficult believe fox give attention dad start sixth season gain strong fan following disc set slim lackluster similar previous volume set dad full screen format picture quality nicely digital audio impressive still clear well balanced include uncensored audio show crew voice cast special include pop trivia track episode bar hustle power hour drinking game overall dad volume five b best season opinion drama lots stuck show wait watch love series bit everything one leaves thinking need watch rest bought present expensive like show family came quickly mail great condition lots lots blazing vice last five every episode plot twist keep coming back like show glad able get movie store yes show getting intriguing ever know little behind streaming hope finish soon go next season lot back story exposed definitely lot action almost feel sorry sons never get break sometimes feel actually life would always state chaos great series watching beginning finished season one season two usually watch time time would watch season one sitting husband got watching show bought every season current one live video option great show excellent intense season love hate seeing go much watching tara relationship unfold pretty awesome well worth watching keep coming back bet watch one sign prime watch want free really like show wished toned little understand good season grown tired repetitive increasing darkness season still gripping full optimism good show watching hope make keep making ha ha ha wow show watching prime ended watching season last weekend season past weekend blood adult situation family watching season instantly got hooked love got emotional times great show strongly recommend good overall footage beautiful emotional family able somewhat unbelievable favorite show ever time came everything thing second disc froze first episode hit next scene get worked fine season way baby begin say nothing identify people definition trash however take trash violence day plasticity course watch uncut video streaming video demand way go watched maybe broadcast since may could take back take series worst side society exaggerated enough make interesting series well produced second year better continuity first give blood gratuitous violence could ask anywhere near top time breaking bad dexter outclass sons anarchy far evil still felt train civility series western humanity people one really show crime violence never really get ahead find happiness learn civilized society still far better alternative amoral immature people lead sure real life people close sad baby brought world could end becoming anything create opposite think fighting freedom ideal living life completely opposite direction press photographer saw lot carnage insanity question always people make positive decision end ultimate totalitarian control trite worthless society best argument next opposite end spectrum rounding polar society sticking building around thing matter unproductive bizarre slight spoiler end one episode central character mother gang beaten organized crime climb top clubhouse roof watch sunset share cigarette totally repulsive squalor laden industrial area dream want actually part cigarette single wide us reason sons anarchy repulsive special although bad series based merry band sad commentary degenerate minority alternative two half men take every time well done food thought imagination juncture hope fourth season although live day eager anticipation next season breaking bad without doubt best drama ever development episode great music perfect various really need worth time money watching plot unfold various get real interesting season thing get charming small town dead watched entertaining watch feel like missing never watching recommend time say series interesting guessing really good bad really different wait watch next episode good entertainment story line get carried away known wait season three put watching show finally man hooked great story arc good acting complaint would look stood sometimes random show hard keep straight first season amazing engaging second much lot specially length hair goes long supper long back story season better watched current great show thank prime season sons anarchy far best season although story blatantly far fetched unreasonable writing true life great entertainment motorcycle enthusiast looking good dramatic series get would one season definitely peak show really well rounded plot begin really fall place entertaining easy watch addicted series wonder much true imagine acting true form season two strong violent angry crow go fly straight fill fill man man found first season sons well done kept distance culture working prison watch show love hard time worrying whether sons gun deal drug deal increase commitment like identify albeit supposed watch town obscure way first found tara relationship incomprehensible well mean know whole love bad thing woman damn doctor become one little sense second season overcome show seeing tara bully hospital administrator got one time drop stance punch somebody yeah gemma amazing god fierce mother whoa one heck fresh take empowerment times bit much movie sub sub gang clearly defined stance accepted sons good happen make living well may illegal much longer finale season two masterful bass say hook bit wobbly ride getting starting show clear shot long straight ride gas gave four reserve fives proven season tough one cast watching story unfold new great ending season poor like show season two better season one would recommend anyone especially watch free great series want get whole series riveting hope goes ever never thought would watching series got hooked much excellent outstanding cast good originally thought series nudity sexuality series realm similar rescue gone great make outlaw good come way club convincing bad come love hate attractive female agent ruthless unprincipled easy root upstanding moronic overall excellent would outstanding r rated version sons season two great cast work well together every time finish one episode would start next one great series acting bad times fictional must watch season show current groove beaming every scene small important episode character ancestry beaten white throughout season whenever rape talk tactical nature assault destroy ability men fight crushing matriarch also shrewd black woman chose report spare burden since hope justice paraphrase show hamlet teller lived see gemma would written different book know suspect behavior speculation always pick eta white organization probably based real life first committee involved ford shriver quaker heir future supreme court justice hope first committee government concoction fool axis believing fence side got exactly ray ray blockbuster type hello ridiculous requirement minimum little gruesome entertaining watching time love streaming capability looking forward times subject matter difficult watch series entertaining depth see personal times overall entertaining series creator sons anarchy done fine job series ratchet hale honest police officer within mention move town stir everything grown character made believable human know got review season found relationship character season tremendous growth town charming great guest include henry course ally walker profiler fame issue interaction townspeople supposedly generally well charming like see evidence highly tried watching times really get interested one try really look forward watching next episode take get hooked well done battle new threat charming roll people get like season along quickly guessing way turn enjoying far definitely continue season went season two faster season one really like stop anywhere pick later great show love watching catch relive story next season came great condition keep watching must like sometimes story line way logic second disc season say getting crazy far enjoying show cant wait buy rest story line would highly recommend series anyone interested fast paced crime drama great complex engaging level violence still depravity acting still sometimes gratuitous violence sons anarchy club continuously maintain hold various nefarious business charming season white supremacy comes charming stir trouble sons point series opinion able watch show great series true watch also since lot plot episode great watch previous series new series comes make sure forget extra add overall sons anarchy overall worth set enjoy show like take travel sure something entertain airport hotel room first season good cast good acting decent story pretty good plot completely unrealistic though knock start ridiculous unrealistic like show many plot action crazy excitement totally hooked still shock crazy much drama baby story line absolutely great gemma family club works great really enjoy series would recommend anyone thanks stop watching season yet watched part show plan watching show beginning season thanks action well written edge seat till end relatable season great action full intrigue like without would given five first two go back watch great show start definitely show totally thrilling one episode hard start another really one wonder really series love acting great much violence stop watching times love well written great job lose one watching continue sorry show continue suppose five good story line nice acting unpredictable ending kept wanting watch looking forward season seeing everyone season pitted young bull old bull got stainless times overall enjoy process season season stray little realism first season certainly lot realistic drama lots suspense character development plot seem forced bizarre thought made first season strong everything happening reasonable within show set sudden got plot character seem untrue show made us believe plus like everything season finale desperately secure season disappointment service episode good set would follow well said still great show much looking forward season regardless season finale ordered gift husband show got hooked shipping little slow received time made great gift start really stop good show little top times fun hooked love prime video smart easy watch enjoy new favorite show sons made think go really show season really good mind violence bad language sex enjoying series greatly flawed manage win lose win despite character development season get really know rest crew clay gemma would never consider type drama appeal hooked end st episode build ratchet tension waiting season yes season fantastic watched first season buy one right away new plot fresh way locked whatever first season still like natural course wont disappointed know long start watching series love available prime watch many back back series thus timeless plot relevant complex mixture contemporary counter culture season one got hooked good acting interesting work well together seem become even believable interesting season two season definitively better first one keep interested want spoil season final honest think tried hard get interested third season went overboard episode show lots action great cast great acting never boring easily people get really bad recourse justify otherwise live great show give chance give four show yet seen like really thing suppose say really like show season lot turns premise hamlet still fresh enough stop watching start watching show hard stop say least must see great show going lie stuff show kind think really show made entertain roll love love watching series wait see episode boy exhausting watch one none stop problem another series life lot sex violence would recommend allow view series thing like club stays together threw adversity man faith truly thankful life style defiantly take comfort zone favorite season like wait long find going happen incident place drag long show like anything else dramatic hilt funny ways definitely worth try like show lot organized crime looking forward seeing goes still love series plot keep coming back already season like made mistake watching season first season stop shaking head know huge mistake picked season garage sale mind one night threw check yes hooked first course seen every episode must although little disappointed thought season agent brains guess thats season oh well ill get cant wait final season season even exciting amazing strong keeping family together interesting plot doctor pretty good show better guy soap opera violence good stuff taken get sons anarchy season better season one oh ending season three even better get one slight scratch video otherwise never idea rate watch show love never thought show gang would get attention wrong story line captivating writing solid really like show typical sunny current social condition may come across weak gut laughter always viewer love show seem find version buy quality different til season start mac something telling wont huge difference either way great show either way already huge fan series disc package much better format annoying commercial story entertaining non stop comedy fest hilarious sunny gang show far show television character unique make irresistible comedic seen previous god watch season comes better appreciation strong favorite gang rickety cricket favorite side character season one favorite gang frank intervention trying bang dead wife sister well hilarious illiteracy however season also worst episode show five year span believe episode something like gang great recession titled gang actually episode weak please always sunny devoted fan show would give season episode highly show would give like could nightman season pretty previous season starting pick little bit far ready hilarious come well service work independent research human sex slavery underage generational prostitution ordered item u address like ago something cannot give information condition unfortunately though good feeling connection return believe intuition rarely wrong eerily prophetic times strange review know ask poker definitively say based testimony back home product good time usually little us ultimately right want toy want toy time anxiously return huge fan season good good season though gang frank intervention one notable masterpiece episode frank best episode responsible snail mix think watch block wind roast bone since season true quality could save money buy need go ray great episode fellow night funny idea fodder later great see dee covered fake blood attitude throughout particularly hilarious revelation behind show love since used good condition bad thing disc bad bonus funny worth watching like said love show buy someone footage many day unfortunately night however voice narration informative annoying place chronological context sense day didactic gloss sometimes condescending good video seen many video footage seen hard also accurate lot trash authoritative quality video would hesitate buy add collection one odd ever made extremely mental camera work slow pace made seem real long problem took along time story develop kill like cult think really good wicked mind game p pretty good documentary recently mount st interested learning documentary bit outdated good deal information older movie pretty well done story enough intrigue keep interest probably go way watch spoiler alert glad exception problem story ended good story creepy premise executed well acting felt stiff may make feel make unsure better thought going like watching author lot video excellent dramatic reading second letter timothy enjoy watching video good little hard time understanding saying quality every good show child still quite good period made however pilot movie real life however kept realistic enough entertaining rest series normally find lee van bit cloying throat bad man usually come well good guy however despite often reiterated eastern philosophy one watched order get idea performance young demi taken whole even though made television production comes well enjoy eastern military like samurai sword fighting one ticket music however cannon days local pastor one one thus interest interest movie greater appreciation history well old grew pretty good movie min whole lot movie smith anything kill decent enough film story modern day tale poignant camera weakness found appear word word interviewer language still moving presentation courageous whose faith sustained face barbarism torture dutch family different helping abandoned live streets deal live realistic documentary every make end still turn love opportunity better life appreciate fact people like dutch family willing invest hopeless enterprise would given except done several individual showing one introduction beginning next part go understanding sword sandal flick fun bit slow cheesy made late time period many people say yet many past important office present inspirational see stand faith small graphic compelling pertinent subject unfortunately many speaking video era looking host slow paced narration appreciate link v web site could use mean sound negative relevant subject everyone concerned perhaps looking mission network news help us compassionately currently informed respond fellow much need although movie certainly little message timeless united realize privileged enjoy religious freedom worship choose without fear real people shown video true faith serve make us ponder thought would faith something every watch know happening around world could happen reality revealing original intent film recruit aerial army air force time finished longer necessary enlistment finished documentary st bomb group mainly around one would expect film clark gable baby distinctive voice narration great combat footage sound somewhat degraded wish would put effort produced war buster watch become huge buster fan funny short long time well spent plenty laugh loud picture quality bad high quality like would see kino film say music used accompany film ruined experience put music spoken silent film someone really ball one enjoy film film really good wish used appropriate music silent movie much special effects ahead movie buster likely already movie highly recommend amazing see temple young acting good believable extend probably career thought movie golden gate bridge kept interest long enough watch series short people making life death actually gave wondering would always hear jihad middle east lighting see similar issue learned world war two battle highly recommend show family member service good series lee van days sure stunt men wearing black forum debate whether trinity god prophet according two seem axe grind result somewhat strictly rational debate thought raised good moderator audience interested theology rock solid faith either probably like cross fire film informative learned lot anyone interested reformation church history negative concerning movie film quality history institute quick lesson two men prime membership definitely work look nothing startling interesting historically accurate well true ha world war history buff must see episode war standard done scientific remember version done want hear word age glad watched movie strange much dialogue various times thought watching movie spoken difficult follow sometimes mostly story moving thought carefully intelligently done sure critical film quality would say print good old black white film felt seen learned something correctly touched story like wartime good movie informative fun beautiful documentary roving green historical interesting give life worth watch nice short little piece wealth spiritual insight would given five nature may first film seen freedom bishop later archbishop tutu remarkably fresh youthful looking bishop tutu well interview basic let involvement resistance racist apartheid system south many apparent demise president good time western world long struggle heroic resistance first unique fully democratic government poverty ridden country sa also see bishop tutu book future without forgiveness early great except weak ending thought hitch would clever prime opportunity greatness expect trying make certain never saw coming print fair poor sound bad need hear well still glad watched especially seeing new movie life wife really one seeing learning process went style woman k woman dark crime melodrama based little known story one time loser parole gangster runaway trouble comes defense director several helmed well little b product film noir even term shadowy photography misunderstood figure plot featured leading three era dependable ralph usually second lost girl like awful truth girl engaging performance easy going parolee want trouble romantic leading man cast type suave villain let girl ditch seeing girl fay one understand fury known primarily iconic role ann classic king less adept projecting pleasing combination innocence sensuality titular woman film public mind blonde natural brunette hair well performance another damsel distress role actress always imbue brand genuine warmth charm blonde brunette hot one best post new york old biograph enforcement production code woman racy verbal innuendo gotten past censor later much material fay hence film particular appeal actress something order falcon probably appreciate four star rating know coming regarding code tightly paced film b good cast woman keeper synergy entertainment r transferred decent original print typical background hiss associated vintage clear throughout complaint disc right away include chapter minor issue way enjoyment film although perfect synergy copy still best seen available title misled overly critical kept proper perspective reasonable b movie woman one better type one recommend love old spooky black white civilization excellent different found outcast prince together rescue prince sister defeat usurper king south say video well done would recommend anybody thinking going south took break watching said play dinner forgotten wonderfully talented musician fun little showman scaled back performance show friend like performer fine find tube watched behind candelabra decided refresh memory little young remember watch late early regardless reckless behavior personal life cannot deny charm appeal knew exactly front camera thoroughly watching also interesting see family embarrassing later perhaps received attention lately cable special behind candelabra recently special different perspective solely performer enthusiasm showmanship desire reach even directly camera going beyond traditionally piano period occasionally even singing excessive special effects pronounced time went film black white stage full impact guessing would quite something color admit never huge fan top say least style felt ambivalent matter showy still helping gain familiarity classical might open hearing otherwise true appreciation music personality stage unabashedly style debate aside fascinated popularity charisma particularly majority got chance witness sold performance later two time early later completely reveal flamboyant style later mainly style time saw perform gasping clapping sparkly nearly blinding also cracked amazing see almost hypnotic appeal least allow catch glimpse style substitute live performance perhaps next best thing check clips show television fun seeing prime joy interesting part whole show great give feeling stage must produced undoubtedly piano still day unique fascinating still classic watch season put festive mood least glass champagne music change great piano player showman always smiling nice great talent showman would like find show locally las content festival fright highly nostalgic time gone hear great art many back time going show event fun video idea many old time horror one number fun watch would like see well video quick overview famous see intended extremely everything way see days said several least picture quality partially otherwise video could rated star film much acting story setting even though southern brought back lots one room school poor heating strict discipline strap single teacher falling love common accurate depiction life prairie couple prize many successful people came education always set sort like icing cake thank thought good movie main well moving really get caught agony cried like story line comic hope story line future though video suspected enjoy somewhat nostalgic type comic book like feature definitely enjoyable reading already fan fan like show ambiguous paradox joyous yet tragic funny yet frightening bit disturbing touch menacing original version humor basic format us version brilliantly two series follow different life different plot least first episode watched viewer imagine somehow made us merely watching later adventure life new set biggest difference refreshing creativity merely exact original looking version coupling us version bit lighter slapstick original ominous love say avoid except say credit original version much realistic emotionally rich relationship us version call remake let call continuation overlap plot different enough keep viewer series guessing however must warn view demand version watching instant video low resolution video blurry especially full screen pay buy show would nice decent quality image though series reasonably priced distraction serious concern possible future instant video unnecessarily low grade video quality quality might look good big screen far standard definition comparison quality show somewhat available format even would buy way pay extra hidden cost ah fate fan squint laugh silly premise show made laugh take awhile get show remind little bit flight deadpan also think people hate well generally well done great comic quite always go obvious repeat much though sometimes felt could made least often laugh loud funny overall enjoy watching made smile quite often well maybe much rock comedy remade bloke really prove wacky sense humour grown somewhat differently well man emotionally attached dog title apparently bit depressed power see man dog costume never ever though everyone else dog thing speak like family guy smoke drink beer generally act like worst house guest history also sit watching giving life advice whilst primary function protect dig go toilet lot trusting hurt past go series cringingly awful make see bad light soon start perk quite gross laugh loud grossness boat got lot better towards end eight external stimulation dog whisperer god like actor bloke ex also man dog thing despite loving could see would revered many certainly worth bearing give chance initially put horrible mutt beginning felt sorry poor old though start get lot entertaining also quite original whatever view humour may think deservedly lot relationship actually worked really well everyone bowl cult like anyway quirky gross mirth need look great documentary lived year although similar country overall lot lot peaceful let hope pray trend always majesty ocean lived near life subsequently get great pleasure feature sea volume journal three famous surf entertaining documentary really viewer aware much performance gone concerned evolution rogue wave riding pipeline chapter particularly good one personal one ever increasing popular surf become immensely popular many need locate private becoming difficult also great file footage taken brown first surf pipeline even foot board weighing wow times great surf ken knoll enjoyable suspense good movie great movie like reality thrill would truly appreciate movie definitely worth time money great cinematography great directorship awesome would recommend far ahead next episode sometimes feel like episode together still love four fun enjoyable series watching past old entertaining husband watched fan nearly fan base split final season plan run year apart supposed keep big mistake part still nothing like series heyday finished season back story dan nearly well done season break firm towards end felt forced us fill rewind tour purchase easy without taken time browse family photo lived suburb major city set set video reviewer time episode murder one worst mad men ever maybe reviewer like topic done death always done well talking married march lived episode could real thing closer truth would follow every person sound movie camera record days episode going happen getting cold outside perhaps need put smart phone instant access caller id reflect quickly news day spread without help instant communication accustomed would disappointed monumental event like merely glossed one post mad men message board expressed disappointment devote time arrival scene th season totally missing point like sit trying figure jam many possible social look back recognize big mad men population time important one group scary another consequence big musical bolt lightning tell us cultural mile marker season like fly wall various remember clothing vividly product design yet secondary necessary time comes telling ago experienced today change stay review third season mad men series wife really series got hooked first season one disk made way end season three overall find series good look forward seeing continue many said like season quite much two us series kind place little focus situation improve later third season last episode really good looking forward spoiler alert end season betty finished couple also crew sterling cooper leave form new agency help guy everyone favorite red head back like interesting doings season first six start slow however lay incredible foundation second half season finale amazing wait next season good hope keep good work show go long time keep right advertising vivid nice glimpse early alcohol office season spirit previous two better plot business little relationship content particular appear enough previous subplot new husband season worth watching though watch episode one master classes first foray mad men ended watching via quality good computer keep based speed think need sell mad men point unfamiliar wake smell drama show certainly one top time love video demand feature cannot basic closed product three wonderful loud awake room house impossible hear dialogue based show like without help understand keep file sizes small take long provide option like many people large manageable big pipe lack special low price immediate gratification baby need desperately purchase show patience come see understand back childhood looking background clothes really first naturally thought would love third overall season good good first two god story good want show hate turning fault life getting tired draper complete disregard marriage rate draper go stable couple absolutely often story forward force us make way find series entertaining well period completely drinking debauchery draper need know show everything never seen please start season begin slow make hooked love series one episode problem first two tried forwarding could view first two love see world way back smoking drinking roadside leave trash character development great around like realistic people stay together forever keep watching halfway season risk becoming depressing excitement new office may soon become drift toward sad drunk season bit shaky first like short without necessarily linked arching theme season fall men currently top world know major affect men like draper roger sterling like civil movement war periphery viewer shown domestic well life country thrown loop much emphasis season draper see major pete peggy roger sterling cooper usually shown eccentric old man display killer instinct unsuspecting times season viewer comfortable definitely air excitement waiting season season largely filler uncommon season series little character development see personal side outside office peggy wallflower childlike roger partnership inadequacy season betty secret new husband waiting sally betty daughter fine actress expanded role buy firm sterling cooper fat opportunity release make way new twist end leaves season without waiting start season immediately always story could pass soap opera much going surface turning glimpse moral social mores times exploring many character draper serial philanderer chain smoker alcoholic unsympathetic character really got help thus become miss batt canned may historically many throwaway add depth like filling gas cigarette lighter desk already halfway season loving mad men well polished series heroic pretty amoral scummy however said series good least two three every disk great feature revealing vision creative team would really like see deeply flawed however universal lack good judgment good life sad morose real life people least want believe top game winning advertising arena enjoying life less payoff list deceit superb writing company make top notch drama suppose gang write one admirable adult character cast summer season enter abandon hope upon program first season made instant impact yet find hard watch times due dark nature underlying theme nostalgia bearable timing writing less great acting slightly top scenario cusp chronologically many believe era promise way era best everything one nation light hill envy world boasting full employment rising increasing leisure time social security promise genuine egalitarianism technical take us year within environment successful advertising company replete poised glamorous people seem encapsulate essence great contemporary look closer something wrong principal draper striking pop crooner jack war hero archetypal good looking successful businessman evening family man ultimate renaissance man cool smooth without care world surely facade though real man bright almost certainly coward war probably incompetent manager work home destructive around perhaps draper invariably black suit personification death persona dead man motif death draper beautiful wife betty could stepped portrait except grace kelly flaky say least question push edge inherit madness senile father welcome sterling cooper men play loose dirty gain chief paramour men good job even naive young office girl peggy single ambitious young woman willing sleep whomever whatever climb ladder secretarial pool talent yes opportunity advancement draper care sterling cooper half million start company keep peggy peggy madness propensity ruin within outside office see go awry tabloid world childishness absurdity entire scenario certainly negative accurate life bad true one must see context theme think intention balance good bad rather believe exaggerated negativity deliberate symbolic something go every character one one really would redundant suffice say nearly flawed manner sterling cooper almost everyone without restraint cesspool junk people nothing well dressed fashionable front disguise corruption shallow people carnal surprise cheer election night hope lower first glance may pete sole exemplar good people alone support new bride fledgling straining marriage provide cash rich dad donate yet spoil nagging daughter rotten attempt micro manage marriage second seem series one complex anna draper wife man whose identity stole totally deadly even inexplicable confidence change anna represent light darkness light extinguished along dream assassination pivotal moment new dream revealed nightmare waiting killing deranged act national suicide fatal shot already fired five epic failure take step symbolic death product fine however feedback selling us would good receive ready regional playback rather change one machine example older player capacity enter regional code playback computer also limited number times one switch back forth therefore would think twice future attention detail nuance program produced uncanny originally watching cinematography quickly enamored fabulous program word caution order appreciate season must start beginning watch glad skip anything watching first mad men several come conclusion idea producer writing team headed part reason addicted series never know happen next good thing keep audience way writing plot often preposterous point dada think clever improbability operate within actually result faulty original thinking show much goes believable plot would get passing grade film institute screen course glaring howler mind situation hero draper like ken doll man extraordinary handsomeness bland kind way act yet continue shower upon draper actually one dick stole identity real draper latter war dick switched dog went home draper whoever draper cad jerk phony annoying gravelly voice pseudo seductive delivery order lounge lizard basic flawed premise series whole forgotten show non starter great gaff poor old peggy getting pregnant first day work sterling cooper avenue gradually getting season one ending going er giving birth baby boy believe intelligent working woman absolutely idea pregnant blessed event team must think goyim especially catholic goyim like peggy stupid nave sort thing could possibly happen maybe somewhere even pushing credulity otherwise must conclude delusional greatness objectively assess reject bad whatever case mad men props make splendid original music popular one television brilliant dialogue anyway ultimately pass shown quite willing jettison lost way end season three almost entire staff original sterling cooper several prominent glad see end obnoxious purpose series pout puff also love see ease horrid betty draper empty headed ice queen like grace kelly hired crucial role horrible actress incapable like mouth come invariably dint one like recently people simply communicate beyond constant use text written show soon possible character awful enough without listen terrible delivery bad actor show lots work irony rest cast brilliant manage make look good stay one save best acting comes moss peggy vincent peter also rendition c red accordion one entire series far three deserve pretty faced empty top cast list show survive weak another fascinating conundrum watching draper survive show could certainly go without sometimes wish would heartily sick tired goat like sex drive way going afraid going end private lost weekend potential far interesting open character big deal rand great novel atlas really masterful science fiction philosophic book making much interesting content simply show us selfish greedy drunken bigoted cruel business people show huge pile television live die political correctness ignorance history way going go pity show go past season five season four well die hard far let betty run new ghastly husband vile political lawyer henry good riddance let keep two marvelous sally bobby humorous aplomb startling naturalness one last plea sound man please resist temptation put especially bed disgusting smacking loud ambient noise like powered window unit air passing diesel new york traffic smacking extended panting like run one minute mile something glad middle aged people sex would make difficult sit sexual nubile could offer hope mad men better season one found yet season two hit nice stride except betty draper side always season three particularly obnoxious trollop neurotic school teacher aboriginal making hillbilly ways hillbilly remember far much celluloid wasted affair went piffle end little nothing whole last two season three superb aside even better mention direction barbet next last episode involved assassination best centered around huge traumatic social like election assassination missile crisis terrifying period time remember vividly sally draper age time oh lose series little bishop martin little bedbug ever television show nothing bizarre child mad men grand soap opera like dynasty hyper realistic alternative universe sort way content continue watching faithfully bitter end hearing play accordion c love mad men season three already see still help bait disappointment story quickly back old end season brilliant line looking life scratching trying get think quite met challenge statement season many intriguing roger ever act like grown long peggy play wide eyed ingenue girl around ever trade feminine girl power pete ever half good enough probably though annoying season awesome every scene nasty show portrayal becomes kind media hate crime cooper ever forget anything later use advantage show racism use characterize great ken spoiler alert yes work perfectly special interesting usual menu screen music like one purchase episode used easy use good star quality used ray connection since good soap opera acting superb mid season bit wandering excellent period well pace time quantum leap less better episode less sex booze particularly better humor less acid cynicism nevertheless doubt proceed season really find arc story love betty true desperate miserable housewife find hard believe woman could miserable spoiled brat like watching train wreck help keep watching many good tell great show watch able drink smoke job fun reason place disk disk vibrate never vibrate hum like disk see disk play otherwise unusual vibration update disk play fine know disk way season mad men involved set gripping period history product b lith ref men slow wonder going middle series apart going different best blowing mind visually emotionally people know show different visage different personality different desire building chord one care one whit show going unreal real reflection time show true marvel assume already know love mad men looking season three box set waste time plot series season comes three part casing hard outer shell inside slide half cover casing actual fortunately criticism past learned prior portion snugly next piece sleeve slip cover hard shell rattle around way snap individual sliding overlap remove two watch one art picture office filling water incorporated innermost casing virtually everyone relevant season important save lane thing worth star would really deduct half could set slightly special audio episode need actually put player see one box tell include audio recording dream speech picture gallery history cigarette advertising make interesting historical lesson reveal little series nice tie release new mad men set comes little sketch one concept art stage considered somewhat disappointing season two high season three mad men would right ship get back compelling drama almost ready give entirely felt drama mystery show completely dry glad however towards end third season show suddenly first season magic turns must see conclusion come watching mad men show many different period fashion current glamour really two difficult met first show needs revolve around draper complex character without center show sense mystery high drama realize fully supporting cast also incredible truly believe heart draper running show speak also high category relationship wife betty many female season include school teacher condition greatness mad men keep interesting grounded far fetched advertising agency aka business aspect show think perhaps show first first season focus advertising specifically focus gradually point abstract business got done kind thinking grandfather nearly old peak working time frame always fascinating imagine sort culture different thus third season mad men slow much secondary great dramatic enough carry show season firmly star range struggling want watch next episode focus back family drama sterling cooper however show head steam back first season towards end eager begin season four tall statement considering beginning season well one fan thought interesting story lot people certain matter ill always fan even best help tame beast maniac looking share nice cup sorrow young movie pleasure factory interesting done documentary style almost like people acting like real life movie goes different young pleasure looking fun sex red light district people young movie high school college age thought movie pleasure factory good well like young guy shy first time sex woman natural year old young man shy sex trying stall showing prostitute different lady prostitute best movie whole movie fascinating may want try make em like handsome nice person real star interesting watch watched free kindle fan peck documentary done part series clips actor told life dirt gossip well done informative interesting learn background iconic video many done person living illuminate real people behind persona thoughtful comprehensive tour career simply many peck know documentary brave officer worth watching one gave little insight man throughout war documentary worth spending included prime membership well done reality show little slow beginning later looking forward seeing next episode show commercial fisherman onto grand coast canada search swordfish tuna show four different working long line boat give five catch hooked first episode group w mysterious baron flight toolbox demon island baron w penchant carnivorous course exposed radiation far dangerous appear many ensue love green fertilize soil wonderful always man wild almost always enjoyable safe whole family watch episode bit extreme side bear arctic circle alone like survivor man camera crew stays way usual survival endure give away action episode weak stomach also see lot bear ever see naughty blurred also usual want emulate still entertaining episode fun watch whole season good mainly bought celebrity episode pretty funny stuff use term ate lose composure video time time little escapism interesting like tonic watch bear athletic eat make refuge spectacular scenery escape although us likely never find still possible apply less dramatic scout leader use many us teaching young outdoor son bear certainly useful information entertainment well love show really interesting watch check good stuff yes great cannot wait watch cover actually interesting move side side picture change old crazy survival great surprise men wild episode great season would anyone previous something watch chose low pleasantly drawn end would recommend much good one interesting show surprising first person documentary guy name goes around visiting form club get quite extreme great actually would great courageous ended quite group would highly recommend like independent type film think good idea documentary interesting concept go killeen fun lighthearted documentary watched whim documentary especially found check scene hotel seemingly staged funny symbolic message majority film purpose life human connection seemingly disparate men scattered globe count half find quickly deeply discover connection another human us probably willingly choose ignore first whiff genuine interaction fact many stated purpose life nutshell kind helpful loving fellow man wonderful focus la accentuate throughout film film lost momentarily however killeen family present contrast building toward family related drawn us suffering mightily psychological disorder killeen real disorder medical community treating surprise religion best organization seemingly sound medical research history effort bolster shaky even guest appearance sky founder noted early film incongruous killeen small fish big ocean luckily could ruined otherwise light utterly watchable flick quickly glossed midst best film smash cut various personal generic heart documentary disappointingly brief amount screen time gold mine surface barely viewer see discovered microcosm heart basically good people trying make best living could still enough time fully explore idea near end film various making chili watching rodeo la eventually comes answer one summed following snippet people basically good family decide feel connected world killeen la sentiment many us undoubtedly long world ever connected digitally paradoxically make isolated via choose four movie part entertaining perspective story teller way story unfolded high polish people earth person trying see name living related technical standpoint concept relevant movie first everything post review picked various search searchable one would never spend effort money running people name interesting see busy name something feel us done movie really good pass muster one humor thoughtfulness philosophy darn good story killeen probably one could made movie name find exactly name honesty good humor came enough convince fame fortune surprisingly intimate different killeen good movie recommend watch see men completely different grow enjoy company hopefully stay close long time think track people share name people globe really get know would learn would experience documentary biographical educational entertaining experience little bit wonderful amazing killeen know one made movie professional film producer ordinary guy set make film turns extraordinary cross section interesting around world way experience room exactly film industry needs fresh exciting like killeen quite project glad saw sitting wondering watch stop wondering rent movie grab snack drink enjoy show made pretty cool film admit first across film thought rather mundane boring pleasantly really interesting concept maybe done think every person could make film would still special enjoyable think people name spread across world pretty incredibly concept never technology film universal human experience come incredibly different life still share much comment growth work technology think great film certainly four well think explore illness made view incredibly apparent certainly respect viewpoint came across place film least still let impact opinion film definitely worth view watching documentary bit due fact much tech world fast however educational viewer film probably serve pretty important focus piece future want learn forever go see put together interesting amazing done ordinary men name informative interesting subject phenomena movie gave many know interesting way lecture series beginning ancient running ancient renaissance covered schooling superficial intermittent manner watching kindle fill education reason never see lecturer face many rather credit series public interesting show realize even big interest field stated title reality seem dramatize everything making mole great see success though interesting learn much horse racing otherwise would never wish would continue every year since year new spotlight unfold season great wrap series never knew went found quite fascinating interesting inside look world thoroughbred racing point view tough life deal variety way series real look everything young old face put sport love look racing series horse farm little family like check really like show really goes show proper tactics level head patience anything possible love also like real done hard defend position one determined skilled person comes cool love realness intensity plus helpful survival great wait get rest learned well done well history thing must watch enjoy sure rob nice fun movie watch travelogue perspective gave several visit japan next month footage seen many atomic test history interesting test history us atomic may done decent video quality good might video largely original film future dome movie could covered little future dome car good historical review dome car came importance drawing various really film however one super bit better far quality production concerned history daylight informative complete history given one interesting cost la san look carefully interested speed could obtain might eye opener enjoy light steam train buff found video quite interesting remember seeing daylight speed child learned lot daughter kai lan absolutely hold attention provide educational value found cute admirable month old deep breathing calm tantrum lesson repeated throughout kai lan also comfortably house tu xi love show like playfulness use language cute instant video player often work supposed go next educational great learn something gave instead always st glued love show ni hao kai lan sad excited another episode little disappointed clearly follow previous story line kai lan met monkey king hour show princess kai lan getting along however show meet first time know know might notice care inconsistency line second season disappointed little included show first season much better teaching vocabulary whole though good lesson daughter oh one thing previously season whole included part season pay separately however obviously thing nothing kai lan good observing right help also learning little love show choose watch almost every day glad prime free educational show respecting learn respect grandson old whole kindle fire great entertainment year old show learned well watching fun learning problem comes solution comes kai lan head also fun learning daughter really show lots bright colors lovable similar teaching frequently used daughter simply show watched season one probably times memorize many season recently like ni hao kai lan emotional awareness self control younger happy sad also potential address certain particular smooth introduction empathy consider important develop social show constant explain friend happy sad help fascinating watch daughter slowly grasping idea maybe feel matter watched season far observation season certain take satisfy long work together young importance open communication active listening forgiveness extremely happy notice watching episode several times daughter much willing practice new told able keep trying probably worth initially bit concerned repeatedly mad season one maybe getting used think season video excellent however trying purchase impossible load always possible solution especially long taken show lot great understand someone else son show daughter program wish relevant merchandise educational available reinforce learned overall cute program show building good friend given family good vocabulary use talking behavior also language daughter actually doctor said ni hao bad year old entertaining valuable recommend well nick series course surprise daughter however series kick us device wherever go know staged big fan mayhem spite recent always something clever say big house think would appeal even people particularly pick someone size angle great stuff would expect blood line family still funny movie tend watch people complicated depressing lot hard watch movie get point across enjoy mostly worth watching movie coming age type story two seemingly unconnected young men one gay convinced young men learn lot find truth heavy burden want give much away molestation important part story feel uncomfortable way might want watch movie find beautiful snowy nature inner peace love relax nature magic winter tell pretty soon start film low budget still lovely winter behold give chance might like going august confirmed read gave couple good considering moving watching documentary helpful element research nice see motion instead travel book gave video four two found narrator slightly annoying goofy like repeat throughout video video producer director video film journey several different country first person adventure true travel experience native personal guide audio done much simple modern u easy understand background done light drumming music nice introduction country agree low budget somewhat amateurish production narration script writing camera work nearly polished probably used time nice introduction beautiful scenery people bad since free prime feel bad giving barely also one better quality prime come experience far consistently mediocre lousy enjoyable video different view normally would recommend perhaps even watch good information video gave good idea rural urban people life love series cast making jeff lewis design work real estate investment enjoy advice learn made show housing deal difficult recent season funny watch jeff interaction supporting season previously showdown jeff ex partner three season available exclusively target sell new overpay find humor funny people think look forward next season wish great reunion full comedy plenty drama worth money time jeff crew review ago show made mistake kitchen kitchen far favorite really fair watching top chef watched every season every episode currently watching top chef show alo unique drama humor action host really great job food cant spell good well guest chef get cool watch cook bake mostly everything everything want show different keep interesting course go different see would never otherwise see fine food going first minute last worth every dime like type although kitchen favorite face top chef perfect think fantastic anyway go anything top chef like said seen every season episode something everyone great show watch ever love great family show well never watched show find week challenge cook fantastic pork dish paired red wine drunk guest judge serious red wine two perfect amazing many super artistic ways cook present pork red wine went watched every back episode season well found fascinating generally like reality learn something bit different much like project runway food instead clothes like learned lot absolutely adore show one favorite series instant video aware issue library look computer top chef season appear though find search able watch system still let know team aware issue working resolve pass message along share since crazy people negatively rate digital product author fault penalize work like would like see like watch l would like see interesting intriguing female show concise interesting interesting pace unfortunately work cannot watch anything connected error message fact working wi fi customer service nice able resolve shipping nice deal worth us video package sorry failure interesting people never always interesting people capable people us come somewhere graphic novel story writer alan came working class area grew shaman many enjoy graphic novel format storytelling video alan tell story autobiography also place life share philosophy life think mental state approximately time title film welcome place alan many us thought lifetime exposure work come film graphic novel v vendetta may view film find inspiration expanded pursue rightful place energy known universe rented instead bought two year old three year old watched dozen times rental love race watch dump truck buy one wish son garbage trucks great entertainment young person trucks type son garbage trucks since movie related garbage trucks rent frequently trucks action since really interested trucks made think building however tell trucks made various garbage trucks bad week several kept attention watch end forward grandma kindle even though one glad see finally available laughing yes another satisfied customer bad experience production bit material sound always would like pretty good idea reference think us know history would recommend slow moving old cover brazil nice information large country much video tower nicely gave basic idea city trip said video like bad tape thought fine love watched flick night diverting warm trip fall know pretty stock travelogue great scenery upbeat narration good idea beauty area navigation guide instruction film area agree specific would nice production value high except overly dramatic scenery gorgeous overall well done would watch another available prime travel video informative architecture art history religion antiquity also contemporary wonderful way relive beautiful city watched video streaming service prior trip iceland would recommend getting video anyone interested seeing country via ring road excellent overview many scenic iceland helpful itinerary think best watched map used found hard follow real time without closed menu shown prior town giving name location shown briefly map could annotate refer back great help video low resolution many saturated narration quite good currently free prime probably worth rental cost purchase image quality low justify price see watching interested film would try find may allow select individual via menu think would better trip streaming video provide indexing making difficult get information specific area series much good would love see along line covering lot ground think central point common human comes across vividly city shape birth devil particularly interesting also lack depth thought series great job something meaningful trying make thorough would made superficial trying give depth shown universality series dynamic insightful host intelligent television hard find nowadays excellent series covering multiple historical perspective scholarly interesting look ancient better many discovery channel stuff think barely spend time well got misconception show would actually primarily gave series honest try first good though worst episode first city know problem unnaturally gatherer sunshine never city life mention modern native tribe example admission get together practice couple times year like trip inexcusable real gatherer could tracked difficult get authentic left short bit episode oh well section quite short episode going pure evil even though chose also found hilarious reason many went extinct yes fall hideously researcher unappealing turned episode decided give rest series chance oddly rest much better still come sounding though know anything useful obtuse give benefit doubt assume trying give chance speak favorite episode far disposal dead interesting look myriad ways different practice funerary customs deceased overall say decent bad gave series honestly made episode embarrassing city hide toward back episode list put people right beginning terrible series general take everything healthy grain salt interesting informative thought lady hosting great sure tall anyway would recommend people interest customs never seen educational awe inspiring another scholarly octogenarian lived narrator lively script efficient new information rewarding watching series love read watch history series gave insight different perspective certain test general accepted knowledge past new idea ponder see headline much like program please free supposed series back ancient starting traveling world find ancient times viewer draw evidence much speculative spectacular local enjoyment highly recommend interested ancient history host program material new way interesting example shown interesting neat like history overwhelming number negative discovered series thought great really wished another season big picture comparison ancient deep covered less hour obviously little light narrator personable engaging subject matter get lot attention expect ancient cover even many touch interesting also seen numerous various death instance make good entertainment shock value new two city pointed modern around soon tell stay birth devil idea wholly evil onset monotheistic prior polytheistic less black white complex character interesting think episode pilot flesh bone hold attention prime cost anything strongly urge try series great series links culture way life era around world presenter fantastic job painting everyday life times human development overall excellent series agree feel show well done informative number think may missing intent program purpose show intertwine society ancient various society present many excellent highly detailed purpose believe trying something new kudos also felt one like creepy ridiculous believe anyone would perceive woman news anchor wrong host program like actually personality think want attend lecture please show look informative thought provoking entertaining let us forget part favorite history sociology last decade would include story one love series wood respectively passionate intelligent modern far stuffy stiff collared past good series short great strong host likable idea tying sociological ancient modern society excellent feel people enjoy series one last thing art style downright gorgeous inventive love far better low budget give viewer true sense series trying communicate good sometimes would recommend young humor social commentary entertaining better ted nice comedy normal office comedy nice prime sure watching show whim idea expect narration little different must admit times little slow never make laugh would suggest give try really enjoy show bad would recommend anyone sense humor really acting great well drawn albeit exaggerated times expect realism show like overblown point reality think often especially product research development marketing great series great cutting edge stuff nice length watched order unique clever show bad last long episode might best overall season consistent season said several show season first season better ted wish two anyone worked company find humor subtle spot ensemble cast amazing big bad boss portia hysterical joy watch thanks prime great character humorous great source humor find laughing aloud even watching unfortunately top yet somewhat accurate account far many us today awesome comedy wish kept show around show great actually good show definitely feel season finding could great funny short run show always good laugh fun large great better ted funny edgy look side corporate dubious fun fast paced show sometimes sex much lead love every watched ago sharper worth watching min short watch hour crazy fun strangely series great character series think would funny fun watch especially work corporation light comedy range quirky clever smart truly funny writing wonder got intelligently written fast paced follow good season still entertaining funny really good season much better would given five predictable still cubical life fairly well love season hope would even buy sold season package really enjoy kindle freezing cold outside story watching graphic sex care much realize perceptive lied really think forgiveness really highest consequence weird interesting good see kim b pretty erotic vulgar way ended dramatic engaging good acting little bit sad depressing need movie every burning plain dark dangerous story young woman tragic incident took place teen story told four rich character development pure insight process pain forgiveness times become tad bouncing teen love adulterous affair clinically depressed woman father daughter accident get little good truly work beautifully told story end one tragic aftermath poor cooling power atonement film also marvelous kim spectacular character growing pain sharp rawness aching realism far natural organic nominated role winter bone marvelous portrait teen misunderstanding story heartbreaking yet final frame hope give tender realistic happy ending score superb pretty good movie acting good especially made big even remember coming glad found prime good chic flick get usually big movie watcher great acting fabulous movie young talent movie along kim believable part gritty drama good acting production good western well little first going back forth time start times get straight enjoy movie around lot present time past entertaining convincing one movie would watch say often one due adult content casting acting spot script excellent sort puzzle end could actually happen believable bit slow moving yet attention gave time put together realize scope movie til end glad chose recommend see like movie kept interested enjoy story twist definitely complex situation realistic across many twisting tale fully end good movie love bit first movie back forth time thought acting good plot captivating good movie took bit catch past present maybe fully read movie description would big story told technique past present together cast great wonder movie went far know story two touched made mother one father tragedy unwittingly one adult life story revealed flash start end within present may understand happening whole story comes together near end movie movie many strong performance trying beautiful great job budding starlet thought bit think good acting nudity sex story well done sad situation often real life casting good wow good great twist end ad list great like movie sixth sense bruise anyway great movie touching excellent drama think content little strange movie done well great acting would definitely recommend cerebral type verbose say found movie one glad miss likely appreciate one parallel time desert symbolism make movie one attention turn one must stay appreciate excellent film serious watch pretty interesting movie twist turns put together enjoy little first time difference noticeable first movie continued easier see movie well done glad watched one sort movie surprise somewhere middle great great film trying figure every twist time setting film went seamless movement nice movie one star average acting cinematography pace movie good fairly recent movie picture quality also good enjoyable well excellent job audience character find routing even feel really surprise movie went back forth people couple watch know great cast original story unpredictable story line serious tragic story lack ability foresee movie bizarrely slowly hard keep watching second half movie really comes together great acting kim definitely chick flick bit slow start get nicely done good acting movie although found disturbing sad comment emotional following breast cancer made sad teenage girl mother affair accidently tragedy life whirlwind trouble betrayal later husband also son mother lover chaotic life sexual promiscuity substance abuse young daughter let know husband dying must confront past deal made good painful drama young girl trailer mother affair another behind father back vein crash film seemingly unrelated together dollar successful scoop two clandestine die fire perspective struggle cope affair successful restaurant owner one meaningless sexual tryst another faced past young girl verge losing father went plane people come together might balk clever sleight hand third act totally see coming clever three different told linear time viewer series found structure story general touched people sense love loss better seen also lied way handled clay yes bad happen bad people trying cope coming apart always make right movie great cast kim al shot cut well good sometimes invisible music score generally gravitate toward type flick glad took detour curious age quickly become fan work three order release hearing creative break certainly mind possibility double good film making battle nothing burning plain first good bad decide think good missing something burning plain story several different people time space woman must undertake emotional rid past two trying piece together new border town maria little girl goes border crossing voyage help find redemption forgiveness love nick couple must deal intense clandestine affair married ensemble cast previously seen consortium sleepwalking monster job glad say much subtle feeling central character film without going top sides see past present also reflect personality side professionalism brought new skin forgotten past deep within brought sexual self mutilation also leading present side story newcomer role face value despite young age actor maria gentle role along three best film true talent nearly enough credit fierce look child trying obtain forgiveness soul actress mature beyond present take figure film ended second half figuratively speaking much going certain time past nick suffer due lack development know affair know going given much without enough understanding kim best role ultimately flat delivery sympathetic character screenplay writing performance de nick interesting despite lack screen time also due lack development story interesting given beginning middle end pardo nice understanding much better look character adult pino however probably actor group despite winning best newcomer award film festival delivery monotone true feeling character criticism two different times life believability change becomes stale time goes brett robin make nice genuine help level cast problem film bring anything new table film style noticeable fairly quick carbon copy done attempt win audience felt way three rated going first major problem creative path unfortunate inevitable go intense fair giving see tame version luckily wonderful production gorgeous cinematography veteran toll beautiful send film flying number story never left piecing together puzzle really difficult may seem entertaining story time period burning plain time taken toll much interesting creative way direction obvious story together without anything hopefully creative split allow realize large difference exception young late surprise must watch carefully story acting little beginning knowing end made sense surprising sense twisted bit sad overall good story line great acting recommend rent yes movie present two different times past time figure hard follow first time become bit clearer story complicated tale search love understanding acceptance one self found story one drew even ultimate direction clear kept engaged end great cast great drama cried worried great movie great cast definitely recommend big like kim well made movie met drama attention satisfactory ending thought surprisingly good concentrate many scene jump past future great movie usually many prominent cast meet one great story surprisingly well found extremely fascinating watch play movie interested family dynamics movie burning plain testament first class acting able draw completely make wonder dark past character joy watch kim solid times heart performance still found somewhat miscast role truck driver wife opinion came across upscale believable like cast member desperate without humor exquisite crucial part quality movie film approach telling story interesting maybe bit first large part story past slight yellow tint looking aging home video movie frequently past present well viewer figured easy follow individual one complaint ending bit feel good simply doubt person past could end succeed successfully turning page good movie explicitly spell last scene maybe intentionally done director exactly make audience wonder outcome end may really movie entire cast stellar movie good attention engaging problem movie playback streaming dozen times movie several interesting plot great acting three great female definitely worth watching superb kim believable back forth history life little times however end clear usually fan design like one like dual story writer also one mult story suspenseful romance two drawn together death great cast movie depth story line good bit norm made bit interesting would recommend movie got end still good movie would watch big fan thought give movie try little time overall watch end better lot everyone believable near end start sympathize care beginning one caught guard sexy b movie sync story line came together end wonderful surprise could pull away drawn character development young old almost unnatural love one lifetime cannot get enough time together always thinking wanting unable relieve ready explode yes wonderful experienced loving wonderful wife many weak like trailer young girl see coming upon little plot interesting missing detail think thoroughly movie web happen happen careful passion ride nice heart felt movie easy follow though movie good movie people took awhile figure severity situation bit present time comes together end cast good movie many different opinion together nice wife watch movie much one burning plain tragedy dark ancient converging demanding dealt present chance correct past find chance move forward create something better future found entertaining film well worth watching acting good story well although fact complex due use reveal meaning behind present structure presentation recommend film specifically movie formidable three academy award take note non linear nature plot might slightly know pretty straightforward basically young lot intense dealt movie may may satisfied way handled personally thought excellent agree development plot touch slow plot meander middle last third movie solid really want film lose way usually movie reading almost many awfully long winded appear perhaps posted casual movie much time like want know movie point view typical movie viewer read full page review movie critique everything script camera angle history take story line forward back slow start almost gave movie happy story really take shape seat kept drawn blood violence though story line illicit sexual use nudity graphic sex need order good movie movie patience thought rather simply providing mindless entertainment well done mystery romance ending wrapped neatly weave learn pain previous illness mother illness leaves mother less desirable husband unspeakable affair worse story huge tragic impact family especially mother daughter impact family man beyond next generation definitely worth sticking past slow beginning sure going first usually figure plot took long time two going powerful true life journey better second time around one definitely worth seeing twice least interesting story good writing acting first wonder different story tie together subtle face time viewer believable tragic hopeful story line acting top drawer setting unusual interesting main role grown woman bit capulet family feud going actually understandable case dooms young romance thought movie pretty good guess story revealed always good time bit like open like leaves hanging knew nothing movie watched based cast interesting story love betrayal story current day flash awhile connect two definitely worth watch interest till end bit beginning together end sense like interwoven seeing tied together lots good movie go see particularly find story line appealing found interesting dark movie hard get first movie remember really acting amazing story really touched heart breast cancer survivor understood pain need love character development amazing raw movie make think acting good plot good thought daughter decision kill mother explosion reaction infidelity story simple early life turn life long movie back forth character current adult life back early days without much need pay attention put complex together intriguing story good movie must really keep different story line keep track involvement prepared movie however j kim thought would quite interesting thoroughly great cast movie kept interested scene mind seeing believable film kim still watching movie movie probably would watch first time flip back forth hard follow story line connected emotional well found little choppy first left story blending able focus without really sad detailed story despair redemption maddening part movie besides gratuitous sling shot fact mother perfectly affair immature understand clear mother lover ironically physical deformity turns husband lover care even tragedy burning plain title tragic life avoidable pointed slow story leading nowhere comes together film gave younger main much look like adult version many overall movie bit beginning movie back forth time trying figure past present got beyond movie quite interesting acting well done often tortured soul well usual perfect choice role able keep audience wanting plenty good throughout movie keep interested moment killing time work decided watch movie idea must say enjoy movie interested entertaining time enjoy every minute movie recommend movie movie filled many tragic hopeful tragic chick flick little however usual really good movie casting excellent rented movie watch hour trip know take watch made trip seem shorter recommend movie love great actress mother feeling inadequacy due breast cancer breast removal drove infidelity daughter able process lead life fan noir movie additionally kim incredible job always amazing always beautiful feeling melancholy great movie match mood believable kim star good bit first eventually story fall place ending disappointment leave much imagination thought good job interesting kept movie going time becomes predictable may become stale overall directorial debut screenwriter tortured piece work rather like beautiful look bleak come understand thankfully left message hope fragmented journey getting experience love joy happiness pain one except time always different observing different times one strand kim married woman sneaking empty marriage lover trailer plain trailer fire film title teenage daughter drawn young man father funeral finally beautiful restaurateur away style poise role work empty sex self wounds pain trying hide answer lie man stand fully composed short right rely performance one actress set another typically convoluted piece writing final point whole less kind much movie ambiguous time gradually picture becomes clear story part dislike brain steer clear end story actually quite slight yet depth feeling scraping underneath surface instead onto might much say may always endearing nonetheless thought provoking beautifully shot sparsely filled though elegantly framed frankly found satisfying star certainly three relative newcomer utterly outstanding terrific turns best bleak cinema tragic thing step right action easy moral seek move along nothing interesting plot line found movie well worth time watch would recommend someone good story pay attention movie slow unfold slow steady lesson forgiveness starting movie short talent winning story told interesting way trying figure yet told initially felt differently revealed although movie slow clever lot play movie title movie mother angrily son son bitch trying insult movie thought part audience quite body impressive independent film work burning plain master time shift story telling helm great job seamlessly together parallel caught guard big reveal mark ending neat wrap kim terrific edgy romantic mystery two beautiful behave think ugly learn reason behavior well done story could bit acting weak also minor kim excellent written part way written respond emotionally weak writer opinion choose life whether good bad get enjoy good bad movie us unusual handling story line kim good job problem little mugg interaction story keep attention well keep guessing story movie thought well done thing found character mind last movie change attitude clear compelling story quite disturbing remain several days reflect script brought together cast big story simple title would imply standout performance long hunger enjoy kind like puzzle worked watched gripping drama sequence storytelling really worked intimate narrative two affair married man woman begin passionate affair tragedy die within family heartache young man woman family reach help understand respective new romance twist plot well written acting excellent direction impeccable even good ending fan scattered time understand done interest somewhat like mystery different name obvious film inner love happen person big big secret past life kim housewife trapped loveless marriage solace passion illicit love affair time edge whose cool professional life style deeply troubling sexually past journey back moment life two live long illicit love way back past stranger suddenly upon scene know two past thought story believable well thought unable figure ending ended j watching realizing flash though frist watching three wonderful job suddenly miss young caught quality overall movie ever since remember odorant added natural gas ensure gas making one wonder couple detect around trailer vine act fuze whole plain would burn union usually tight hand even devastation obvious investigator someone union fitting less smoke smoking much keeping main character personality main character double murder perhaps manslaughter mean kill wrong despite mother infidelity societal justice aside movie good although first flash forwards backwards location title sounding much like burning pain main character experienced self mutilation guilt mother lover daughter know expect movie inspired view based starring cast kim fan previous directorial works also factor thought movie somber melancholic surprisingly intriguing story acting borne sense anguish frustration guilt especially kim added proper balance youthful rage rebellion give movie element subtle intrigue acting three primary exceptional come either movie director recommend like movie good great wonderful job like would highly recommend movie rental purchase great acting two leading ladies could easily next streep thought going see classic chic pleasantly depth film run mill movie really get done lightning bolt hit felt stupid realizing going serious watching knew nothing going goes back forth time initially really different affect people recommend great acting think movie days afterwards character great adult teen ended good movie sure going ended good might actually watch movie nothing like thought would total surprise pretty darn good might even watch get intriguing story jump past present bit disconcerting took forever figure young girl supposed thoroughly movie two great made even interesting girl young excellent movie slow bit back forth time eventually comes together give several poignant men watch interesting story quite believable plenty nudity violence need concentrate back forth movie glad discovered great flamboyant acting creative cinematography kim bring reality wonderful film life real life drama surprise see till already appreciate creative movie looking something different view knew move took chance good movie great twist would sure kim excellent character story girl growing mother movie done really unique way kept going back forth future past without one point everything going interesting perspective great could nudity story unpredictable well great scenery rated r sure movie took quite surprise usually dash room movie kept seat end continue like provoke long bottom line long burning plain movie clung mind soul movie minus blood rarity days least cinema real human drama naturally burning plain staring kim de one movie directed burning plain bedroom monster devil advocate aeon flux naked bed cigarette proceeds stand fully unclothed front bedroom window early morning light gaggle school pass gawk notice care first opening scene know lost soul person without purpose searching something anything make feel human lying bed watching morning married lover northern exposure work local scale restaurant hostess chef one setting small town coast cut new back time wherein meet two grieving death father nick desperado recently horrible trailer fire soon funeral person fire local woman l confidential learn affair end funeral one brother pardo year winter bone daughter local grocery store two strike friendship eventually turns intimate father brett ghost rider trucker far much time away home story learn home wife recently breast cancer pushing arms nick meanwhile back present pino cold case hurt plane crash brother maria innocent year old daughter ana find mother back new back learn found mother affair trailer nick met relationship turns sexual becomes pregnant abortion father affair flee birth first burning plain like shift back forth time hard follow certainly since frequent time plot really three coalesce towards middle movie making story take new interest burning plain well written directed one better also one woman edge broken anguished person trying gather complete whole love mature kim recent much early career anything become even beautiful meaningful wonderful actress role better better portrayal magical full emotion depth burning plain movie intended mature audience mind taking time watch unfold movie another movie time weaving motif raw bare knuckled story telling burning plain plot control although like stated guess going drama worth salt relentlessly dismal people get hurt fall apart without tracer loud long burning plain movie clung mind soul see story compelling film several related cover younger older us know times affair unlikely romance illegitimate daughter great little apprehensive beginning stayed appreciate story human value message extraordinary way handled role right conclusion great movie appreciate human condition respond live drama emotional girl flick slow within shaping watch till really like movie love way past present woven together order shed light character l kim b also great would definitely watch usual unbelievable self done something terrible childhood trying right thing kim wonderful woman burning plain slowly transcending time space weaving back forth chronologically tell tale pain grief truly heartbreaking watch incredibly talented restaurant hostess somewhere dazedly life inner casual indiscriminate sex strange guy maria stalking another strand discontented housewife kim affair married man de tragedy thrown balance left put puzzle together love method storytelling guy gave us together step step though manage solve dark mystery early story talented cast young j pardo play teenage brought together result tragedy deliver finely elicit viewer empathy nothing black white initially appear flawed immoral revealed surprising depth movie slowly viewer attention full grip never go till final scene thinking two per disc menu worst seen continue click right episode two disc arrow click arrow take next menu disc bit picked well worth almost finished set watched b course found immensely interesting fun watch little top exactly might expect see really glad effect losing patient provider enough ask complaint might factually speaking scope practice happen stray outside scope practice every provider potential provider thoroughly enjoy every episode series wish one season enjoy watching certainly find shame show make past st season barely discovered ago would really seen went may little hokey wonderful cliff let say trauma without cliff like alway get top billing speak native kiwi cliff someone anyway buy star world buy everything cliff glorious fan emergency show spiritual ancestor trauma tuned looking drama action found fast paced saga first poorly schedule last season jay leno talk show hiatus winter never got chance build deserved trauma give us life death well drawn cast terrific chemistry shame show go many still enjoy family work field love show would technical nature actual product disappointment commercial must would nice either flow without pause cut material placement good product short lived series action medical drama heart unfortunately poorly network month hiatus without notice bad marketing unlike able story episode medical emergency making sure main focus show think definitely worth know unofficial series final pretty surprising special set severely aside audio commentary pilot episode would nice gag reel possibly something let know would show continued yes may completely accurate portrayal job show entertainment based true meant portray real cut slack show action definitely expensive amount audience bigger audience week disappointed cut season short let go true season finale leaves awkward cliff hanger felt plug drama actually substance make show character based work maybe worked long run maybe many hospital medical type first came hard believe two since air least memory wonderful thanks offering really great price series generic still good overall good drama action j good show wish could given final ending since taking air chance buy trama buy wish show went farther season buy getting back shape several looking something effective intense almost turned saw scrunch black high tops thought heck least entertaining music nice workout great first step getting body back used video provided exercise get outdoors due weather try time goes resident physician time work like need good video use get quick workout patient still go gym sleep depravation used girl silly great workout min get fact verbal good fast exercise would say perfect someone used exercise shape gotten little shape still remember grapevine completely lost fast random made tough put workout set day constant wakes needing wanting execute another circuit training lead lady bit much come whatever aerobic activity highly working every day like hard find workout days done already still looking without involve lot complicated dancing simple need verbal instruction keep moving showing coming need anyway make pour sweat turn heat want make add probably go twice week winter anyway getting much video cute get heart rate either good start great warm effective fun low impact easy workout n home must agree drift diving capital easy great destination enjoy strenuous dive easier movie gave decent representation culture underwater ecology believe video star review seeing video nice change pace horribly horribly cheesy course laugh factor good motivation continue end low intensity workout easily starting asthma strenuous workout time good one one thing really much room move around like small apartment work easily want see exercise clothing used look like look definitely video merit want get moving simple music redundant cheesy find fault concept even production value almost non existent like watching video game exercise program said easily change add intensity arms great starter video next time try turning volume use music spoken easy follow well worth trying home bound prefer work home time simple precise quick boring complaint wish longer getting back intermittent exercise something runner avid gym many time later ready shed extra excellent start reviewer noted make intense want hand leg choreography time goes quickly like exercise easily add make even worth inactive looking stay healthy limber age something cannot go walk vigorous work sweat kind better love talking come gregarious instructor bit low impact get daily push sit leg superman swimming place music much talking really necessary anyway follow see beware aside initial warm entire workout done mat hardwood mat good workout need equipment talking exercise refreshing find something easy follow older sometimes older fit needs viewer looking lots verbal instruction current music video good basic workout combined series job done short amount time enjoy without listening lot chatter time quickly actually enjoyable chance found film like even though go several general discover seen travel interesting video travel information iceland riding rough two combined program much fun iceland tour watch cross motorcycle gas later relax natural hot road nice trip around iceland well known good exposure scenery expect back good documentary really adventure live standard set series photography much wish could tagged along beautiful country summer excellent general short resulting clipped together rush video bit hard watch got species wrong mostly correct would recommend anyone know go diving anywhere part world watch made wish wish though would made watching bit enjoyable fairly short amount time get feel different new like entertaining way show point finding ordinary stuff given location found show useful guide see little historical year old watched attention whole time never said boring year old son interesting idea think fun watch enjoy small percentage ever benefit forget time trouble even higher percentage never experience exactly god forbid ever need know information contain straightforward practical case bad cade great job explaining total chaos times hard tell actually acting flash back real fire fight crap hole part world show one season spike bad far away better reality type show survival series since imagine doom gloom series never got picked season great series good although get bit advanced common nitro circus great fun watch think something everyone enjoy said needs ray think picture still worth watched regular ready well worth purchase even though quality brilliant still take away experience nitro circus even issue play back play full screen like ratio like said still take away experience nitro circus fun exploratory informative discover drift diving frequent prime lot say sometimes masochistic endeavor usually camera work part horror acting top like watching reality universe plot many house would promptly collapse ground person tiny dust pan could collect remains one real highlight movie writing especially dialogue sure obvious like flow nicely movie watchable actually enjoyable peter loudly insistently actor idea actual movie three ghost run scam tricking people believing supernatural evil house trusty back pack vanquish said evil shortly fourth guy hired pick artifact subsequently beat unique ways movie fun entire time true much like micro budget setup strike solid balance camp funny without straight cheesy acting get top particularly overall movie would actually watch high production value documentary nice journey appreciate genuine people high budget always allow basically personal video maybe something pay individually glad explore long time peaked desire obviously amateur video since travel still amazing tour would love travel rich powerful still every one us look president stand head apart head president secret service detail day set sat back watched happen wonder much buy agent even back agent going help president hit bullet first one knew look smile face motorcade knew exactly going happen oil got together bu family figure war president matter cost covered rufus honest agent saw commotion president car front seat covered covered safe final two report leap back car agent behind car nothing front seat presidential car president said quite clearly god hit driver practically back like waiting oh kill shot punch almost like let president get back car got got interesting choice watch learn little lost country incredibly brave soul bobby one us really going country lost many ago study decided everything stand tell people truth really charge kill make look like anything heart attack car accident lone gunman better wake want bunch uniformed obedient believe crap tell forget pay waste hard money accountability frame assassination entertainment copyright thunderball run time black language spoken translation decided ignore negative review fact made suspicious one star seen poor deserve low rating find recommend frame useful assassination documentary worth watching lots original footage seen elsewhere lots interesting frame nearly bad negative reviewer perhaps contents make uncomfortable overwhelming feeling one really two warren commission sort conspiracy documentary leaves impression former simple true complex political landscape time frame assassination proceeds introduction prologue theory warren commission report single gunman lee theory conspiracy theory soviet union investigation conclusion hired drug backing support theory hit men theory conspiracy conclusion end self supposed conspiracy might find challenge two interesting documentary five objectively compelling title film frame number little analysis record really piece believable leader commission ex personnel hospital staff offering first hand observation exit wound back president head abort team holt speak guy told ignore believe saying give screen actor guild take subject lightly powerful stuff many opine warren commission necessary primarily keep country stable secondarily cover intelligence note familiar conspiracy theory like wecht mark lane seen current setting note voice protective bubble used mention two important want used protection bullet proof understanding story line film fact story set place u good job making believe part police force would recommend film people enjoy crime bit surprise end guess enhance bit starting run gas thoroughly movie thought excellent always something happening sense dread kept interested read movie thinking completely frankly essentially worthless used way defined one comment completely speechless quite benign movie give break quite enough violence graphic much way graphic detail critic want even rate one star struck movie essential tragedy marco cannot understand choose path life tied common criminal path end older brother one key difference marco apparently desire continue life second version gun forcing shoot defend marco gun empty ending life marco want movie good want keep watching movie closely like leave spout gibberish enjoy timothy sometimes seen realize til half way still fun turns good movie chilling terrible course effective genre flawed end film ended fight left dissatisfied film short terrible study well like genre see film well average except ending fight variety take couple plot set significant foreign feel specialist serial working foreign find serial killer psychology regular police work play part story really say good make think ways like sibling death people par recent good would even like movie animation good fun entertaining video terry laugh throughout awesome ventriloquism also great singing voice want great pick make laugh video must good reason terry got talent say gave caution offended grab one terry action guess rest piece great though also offensive overall great entertainment would like see terry work highly recommend well worth spending time guy skilled hard believe real love guy clever however watch adult little watch would great see one family show best entertainment ever wonderful say talent show seem real wish best watched video want rate want waste time writing review dug around see way mark something seen rate something instant video page unique act think jeff better comedy end terry better amazing great got talent rated g video like rated sexual innuendo fine saw got talent may impression rated g suitable small however act live adult material terry write comedy writer get feeling comedy writer little still fairly clean though dirty language gig comedy learn entertain wish little imagination lot class book good prefer watching video watch video many times reading entire book read sample kindle grab like maybe watched video nothing take place already video son big terry fan seeing video decided get copy collection pleasure terry talent truly gift god like contrast life ancient china wished different used thought interesting film going since regular medicine helping bad insurance cover cost getting relief pain important prime member like see free good think good overview give information want look may slightly annoying less annoying barney fresh beat band thoroughly entertain toddler teaching series great innocent fun perfect funny musical light year enjoy every episode granddaughter upbeat music like repetition learn right along yes know big book snob home school eschew many pop culture try tell show good enough preaching corny silly sickeningly sweet unrealistic could go think people talk baby talk little time corny silly sickeningly sweet unrealistic think cute also respond simple animated happy interaction show understand show one year old hooked since much hate admit grew husband yr old head wall comes even deny adorable see huge grin face little bob sway show always show extremely talented classical training music dance copious talent also consistently integrate musical terminology show understand song show award winning commercial number catchy memorable really listen hear difference music show lot music content elsewhere thanksgiving sil god rest ye merry grand piano parent living room guess got got beat right one year old fresh fan everyone delighted show probably good enough know watched land lost hotel little turned fine program daughter active around currently also speech absolutely seem get enough wholesome safe year old grand daughter show really watch much fresh beat band show adult could watch hundred times fun positive young fun nice positive good entertainment young great younger value watching problem inappropriate language upbeat fun year old show sing even little guitar whenever kiki play really attention need break daughter every morning watch fresh beat band far favorite show thanks available year watch series far age group go pretty good watched infinitely better teen quality video year old tell difference watch band awesome creative active also try dance really body daughter watch program least day wish season three would also added prime great tool need distraction wish free son movie watch ask anything daughter almost really show dance music watched tap dance episode likely taking tap dance classes near future child absolutely fresh band wish prime selection include happy show great music fun child show give reserve like anyhow safe one look since much junk days say great super spend time great best nothing could better daughter show recently show wonderful time singing along find singing around house preschool good dance go quit go banana go banana go son series repeatedly listen time favorite song unstoppable love positive uplifting message series show year old love watching band episode problem band must work together solve theme song together anything bit unrealistic watching team work valuable object lesson band supporting perky upbeat music kept watching waiting dance song great taught super love love daughter show happy however streaming could allot better compete easily blue ray disc like transfer three love fresh beat band happy see little disappointed play car also player knew reading could problem play perfectly regular player directly love fact beginning get able play show wait season love show get dance sing love able inactive show exactly show little monotonous love em thats right excited comes theme song learned almost sing learned enjoy taking time watching great show although old wear stupid looking clothes everyday room music move groove harm see see see bright colors happy people hear lively music love show important fresh beat one favorite little overly sappy grown really intended great engaging love music love show happy find first season would given one work play problem first disc read player despite plenty time watching learning music together disappointed previously stated issue great show daughter drummer girl show silly times similar almost always tolerable adult perspective son dance along try sing well annoying yea could dance show day get couple fresh beat band one modern show like inspiring like hope nick put next teamwork music dancing picture little washed maybe computer fine certainly better show like broadcast audio fine though little tinny may fine actual said play also record case play fine computer record love fresh beat band since change actress redheaded marina season show past season want raise kind warm fun inspiring grew really need get fresh beat band want go concert admit much like show nice break animation like get dance get baby sit little take kindle love music first year old show family vacation stuck traffic jam snowstorm took trip trip fortunately able traffic lifesaver cabin fever unfortunately format understand unbox still exploring least native format almost every new produced format time go leave behind daughter fresh beat band easy story follow solve music team work lots singing dancing love show available prime able watch two yr old son currently fresh beat band watched episode many times tired glad sure going hear anything want learn believe show positive ex helping cleaning singing dancing fun yes show corny overact scene love yr old melt grateful wholesome show great show year enjoy dancing singing great teach great child really show fresh beat bank season one fun watch thanks second season available made new appearance series like previous love love season also like season available instant video let store home watching bad nexus able play though show first came enjoying nostalgic walk back time clever captivating feel like part family watched show still like everyone good love seeing fashion good good baby constantly crying episode five season one give b c listening baby crying damn annoying oh well ken hot hot hot great show show culture baby whine much tolerable love show cool watch many like different different nostalgic great show time angst filled going totally relevant never angst filled watching shoe entertaining upon show week watching side effects cast one draper also one thing led another sadly found prime thank goodness always curious early middle school going old next month boy relevant right initially thought first two distant self indulgent whiny everyday life group would appear self indulgent whiny darn relatable relationship dynamics especially marital stem related trust communication money intimacy self doubt family origin always watch graphics certainly listen dialogue work season episode right hope goodness watched series first still watchable laugh hey wore yes self absorbed time age age time yes terribly yes many catch antiquated yes music acting little melodramatic still show enough depth insight human experience enough humor still enjoyable later rare accomplishment serial television watched first twenty ago show relevant today funny smart well written glad finally got access show however somewhat top bottom screen like used chop sides fit old way show originally particularly dumb standard computer screen anyway wrong way mid first season enjoying grad school time watch fun watch used really like show stand grown see appeal enjoy like watching much better whats today quirkiness charm show forgotten good show top quality writing acting throughout make like technology may date good writing good writing never go style interesting fun watch bit though would nice someone version lots promise love show always enjoy watching great show ended content timeless found happy see great show day little slow older think way overdone relevant younger think interesting none went much show although think peter director acting good thank making prime member life keep good stuff coming watching whole series find great wrote first review seeing pilot acting tremendous real love enjoying show especially wondering anyone volume show listen almost end volume button show quiet sometimes music extremely loud tested streaming show extremely happy streaming experience remember use come late lived dream show back day another big brother variation potentially current technology good acting way around another good masterpiece contemporary series mathematician need serous personal development fish water forced role ill play plot far fetched although familiar course discuss resolution last episode rushed somewhat unsatisfying result overall fairly average thriller extremely cynical dark leave joy feeling spiritually enjoy series anywhere near much sherlock much script understand script trying say case especially convincing despite criticism enjoy series felt could much superior screen play series suspense mystery intricate story progressively resolution ever since read interested government used intrusive monitor people society fear people incapable degree privacy could conspire even consider conspiring government although supposedly ensure security obviously capable privacy freedom naturally succumb lead character obsessive compulsive behavior brilliantly displayed benedict another outstanding performance work enjoyable great idea quite realistic scary acting great however plot much longer felt little times generally good series typical genre conspiracy social engineering development worth watch funny forgotten seen long time ago even continued watch engrossed nuance relationship effect power name goodness well certain thick accent understand fully enjoying finish series old absolutely relevant times government moving quickly spy control law abiding data mining need genius insider like disrupt plot good predictive based current data exposed media story line around bit sometimes hard follow definitely good watch though well done mystery guessing great sherlock every plot somewhat slow overall glad decided continue watching first episode benedict excellent usual story good well perhaps much way totally illogically able overcome fight much hard believe end give accept fate always enjoy excellent actor script good plot plausible reality scary via prime likely interest sherlock series rest assured good recommendation story mathematician upon unexpected death brother working story get suspect mathematician ex high government job promote wonderful new way keeping track country citizen potential research pressure give story away explain story intricate one number turns much negative film substantial especially burr hard fathom times used closed found times name keeping us safe given appear use fear order increase control allow feel secure stage set last enemy next gripping story volume j gave title found believable well balanced portrayal action lag along nice pace could well given five quite impact justify enough action keep attention one episode another surprising ending see coming quite series ended well obviously could continued stood alone season well raised interesting husband discuss relevant view times much government oversight good scenario future everyone watched id everything future want great show good overall pretty good suspenseful well bit much gratuitous violence like energizer bunny benedict going perhaps fictional look store us future given front page news privacy benedict growing attention praise building last rare ability portray somewhat center personality sympathetic entirely believable way also fan accent part anyway subsequent work well first show great fun nights produced almost spooky piece recent debate hesitate giving fifth star times story bit times got along host top drawer give stellar great suspense plenty turns lead stumbling recommend subject matter usually ask question could happen instead happening benedict great benedict ever watchable story intriguing mysterious set unimaginable future recommend little love anything benedict unique role series humble vulnerable shy incredibly intelligent great watch great big brother series wish big upon time fan one best main character would benedict recent sherlock every scene character designed keep story line moving also big brother watching aspect close home days interesting plot love bummed know prime covered first episode ly invest later maybe exciting futuristic adventure could future tracked taking step privacy exciting show decent cast novel far truth kind scary real easily would really happen go wrong series benedict like action like one watch first one made want story interesting nice however found romance part bit forced distraction real benefit action last scene sappy classic spy stuff lots rise government surveillance safety government safety acting superb session logically previous one electronic stuff little far fetched close enough reality keep interest plot get subsequently get sorted later find excellent actor took awhile really get keep going episode episode great ending interesting premise one season kind leaves hanging wishing oh well sherlock current way series entirely topical great acting especially role far cry sherlock although occasionally story get bit much plot exposition benedict great job project fast pace great story line make show worth watching often always interesting good acting wish watch first time seen benedict romantic lead good would like watch movie characterize reproduction one would like movie emphasis sex movie great subject one thinking giving like country may think idea extreme look quickly take sensual part maybe could fantastic good story well close reality see really good program sick think could happen watched couple ago plenty movie remember thinking best brit seen entertaining fact remember anything bad sign intriguing show strong good plot like benedict sherlock different character waiting season two great small random make scene whole lot huge fan acting show extra cautious around made social media definitely interesting show good political thriller also thought provoking look possible near future may look like series gains new relevancy recent government information gathering ordinary benedict sherlock watching last enemy staring let say great show attention wanting see next episode little bit thick plot department turns always fully fast paced action series plot one could easily reality day made series riveting watch bit worked made hard understand benedict marvelous job role reaction certain dead personality type interesting idea big brother real fantasy closer think want benedict camera angle last scene show us may fearfully become stop watching today keep watching see would happen plot also scary think happening today soon chips actor work sherlock watching last enemy far good four still premise world via chipping every human everyone time oh wait almost real time watch well sherlock actor great seen anything bad yet subject matter digital age coming government everything everybody series drew interest fan benedict disappointed plot turns suspect show person interest series eerily similar subject matter use everywhere one negative would somewhat clumsy love story woven action still good show check turns every minute big brother watching twist future state government control times attention interesting enough look second volume hard understand language although sometimes masterful captivating suspenseful detail drama however series bit slow times slide hill first worth watching end thought provoking star trek set yet another society one well written without better eventual outcome future wished like available great plot excellent acting brilliant keep high thank interesting plot lots suspense favorite thing never exactly sure whose good guy whose bad guy classic masterpiece fashion endure somewhat moralistic host episode show overlook rather face modern state good television show like political intrigue wit good watch disappointing show abruptly almost ahead time way surveillance privacy violence main point thinking thriller thought start going slow boring however pleasantly subject plot fiction closed truth watched far enjoying far good seen first episode change first blush opinion although premise show viewer much reality one suspend difficult take show seriously like star trek star episode know watching fantastic show set believe shown possibly happening somewhere however technology beyond almost weep rapid loss interest story interest ridiculous get good role bemused brother excellently bad either look near future big government problem universal identification maybe fiction probably truth gripping story hope like follow prime thank acting good story complex clear suspenseful would happy ending main watching several benedict saw sherlock highly suggest drawn two still fan pretty good entertaining interesting plot given recent interesting see benedict work episode like pilot lots enough mystery look forward watching another episode seen benedict photo drew us interesting sherlock role episode attention story looming probability universal surveillance development technology similar technology inspired popular us series person interest old enough remember frightening threat big brother watching read high school early mere science fiction however vision one political power clearly reins person interest genius benevolent intention technology last enemy project directed government though universally accepted viewer left unanswered question perhaps one even intended really surveillance show story fast moving exciting unexpected turns viewer guessing benedict worth price admission plot couple glaring go almost unnoticed fast paced action linger series read synopses writer find uneasiness unknown behind contemporary life entire series perhaps plus rather minus want watch story mostly told series three second keep smart multiple story plot require dedication beyond enjoyment reconstruct plot fabric cast interpersonal dis virtue finally garner four well done suspenseful well immune terrorism forsaken protection paranoia free must question regardless pain reasoned must ask react reason excellent series view drama surveillance gone wild post world difficult follow times benedict keep viewer completely engaged circumspect pained particularly moving unlike many human element core know said series boring really little hard figure going ending difficult overall think well done seem quickly becoming camera state drama recognition murder political misconduct never gave try glad c story may like science fiction recent like reality well done well many ways big brother watch us plot good several unexpected really action thriller sense keep interested window life might look like ending great job plot inconsistent hard follow almost gave series first episode instant relationship hero dead brother wife acting completely top however stayed series glad main quite plausible acting generally solid dialogue engaging would recommend watching show watch first episode featured series found interesting enough want follow next episode mere five slowly watch disappointingly soon watch another season least could truly engage prime offer would watch time regular haircut real deal well exciting entertaining thought well written beautifully series looking something pique technology one also threw evil like government conspiracy tied together gripping acting lots action frightening contemporary story much believable gripping real many ways world hope future part good bad well done wonderful movie great plot line really substance story actually engaging sherlock series tinker tailor star trek really appreciate acting effort last enemy see staccato delivery prominent sherlock series bit stale well worth watch film little slow often find case film series really film though acting one favorite exciting sad dramatic well watching b vulnerable easy upset pressure difficult well really fun see benedict c completely different role sherlock well done show concept compelling certainly mark world living right series plausible frightening worth watching well made good watch masterpiece thriller might misnomer edge seat suspense throughout plot jarring entire season weekend looking shoulder ever since interesting thriller style tale like inspiration person interest surveillance good character development plot take away star though playback fill screen high band width connection really care critique acting like get hung minor fault really enjoy philosophy content show explore show another show good job system works scary surveillance state entering decide want live complete nanny state want deal come along freedom one thing sure series like chose ladder overall good show received attention someone open keen shadow system works work confirm already know sure anyone little thought anything even get show also watch e sure first episode second hooked good series bit scary well good story good typical masterpiece theater well done mystery raising disturbing future big brother society could like subplot love story poignant suspenseful series volume available find anyone tell get subsequent series watched basis seeing benedict production disappointed disappointed subsequent season watch character much attend brother funeral everyone must personal id card order buy anything get transportation enter home brother wife instantly story intrigue guessing good bad end episode series unpredictable rest series four really see another season never show decided watch benedict wish longer anything blow whistle expose development totalitarian state show consequent rogue government control welcome get enough people united block growth social cancer people damn sure spook advance becoming earth well done interesting concept arms carry around us love political short series fit mark great acting great cinematography good script problem hard time understanding thick unable turn sub help otherwise wish longer good drama good plot twist acting excellent comes believable math love benedict period plenty keep guessing good bad point mysterious engaging show increasing surveillance culture living chilling realize many surveillance show commonplace thought acting good plot kept interested kind like book great series could made something bigger good acting good engaging dont need clothes styling boring though believable enjoy seeing ben sherlock quite different interesting story move little slow come note different rhythm location often prominently story line sure read see trailer preview watch well produced show somewhat disconcerting accuracy way global leaning society easy follow bit rough excellent drama benedict brilliant worthy item movie lover collection think role government good story good bad kept went along know meaning title end action good viewer think current state acting part masterpiece series thought provoking good entertainment lots see learn series stuff indeed real already happening scary feel getting bit beyond core subject good production benedict acting complaint still far true many really good series prime guess get buy disk series come shirt several times ending little abrupt could better confounding update academic cum secret agent convincing character entirely good try task dark bleak mystery within mystery modern day also genetics morality ethics scenario possible future maybe present unexpected great story line never enjoy much guarantee enjoy every episode fresh new even though story old big brother watching writing direction superb ben wrong viewer supporting cast good especially another favorite good watch even though predictable interesting watch benedict good great talent always suspenseful witty personage end wait watch vol really recommend vol series gripping halfway predictable couple thrown fully even last good brutal mysterious strong ending little less credible tying loose thought provoking portrayal decreasing privacy wonder long technology us far star rating gave show drag tad times citizen topic edge written live easily tracked phone credit pass first class chemistry good worth watching would recommend yes need follow closely may miss suspenseful show lots trying figure good bad disappointed fun wonderful see role human extraordinary intelligence watched series twice character fully easily menacing drama stuck great acting engaging plot dark fatalistic hopeless however since also ideological drama demonic potential total surveillance make point goes extreme yet valid nevertheless rated four hopelessness expect always end happily ever reality even reality hope found one hard enough drama never look impression given helplessly hopelessly headed future total surveillance nothing anyone begin badly conclude badly end drama worth watching twice opinion fan sherlock curious see writing acting would match quality come appreciate sherlock challenge expect character sherlock brilliant right must left story line looking forward watching rest series time well eerily timely regarding surveillance place interesting literary tradition regarding scene spoiler last episode virtually taken directly moving plot story exciting action story well drama masterpiece theater always put great show disappoint last enemy great series benedict sherlock never excellent show quite ride barely catch breath although billed volume little need volume story fairly self well mathematical genius caught middle cover good story line would recommend problem audio audio one live would say yes watch especially know like intrigue story completely believable well directed one plot hey great entertainment complicated plot good watch closely miss anything love wait sit watch next episode worked large bank feel scenario real possibility getting closer every passing moment watched fine orphan black masterpiece theater recently binge watching fine series available last enemy made think government ability track series exciting informative romantic benedict great combination series found story interesting enough watch episode hope series good one nicely done series total information awareness great acting exciting plot ending bit downer well worth watching think sherlock would enjoy program benedict brilliant mathematician dealing death brother fact security point total lack privacy ex get assist new governmental exchange research also medical mystery aircraft plot fascinating mysterious illness wonderfully connected trusting naive math genius protagonist weak pull overall score bit mostly fun suspenseful entertaining ride ending unexpected made whole series better plus shirtless benedict almost enough five considering made several ago frightening benedict amaze enchant force watched interesting station watch yet give detailed review yet like far big benedict fan sherlock exciting short riveting possibly plot complicated treachery many near superhuman organization conspiracy quick embrace buy entertaining series acting superb think ending leaves us many future embrace quote famous philosopher oh complicated answer simple show brought huge conspiracy theory screen concept total information access watching remainder series good sherlock still good acting good story well written suspenseful series exciting kept attention thought acting good plot convoluted enough discovered great coming one good work better seen recently seem better quality think watchable e mi abbey benedict outstanding actor first saw sherlock later star trek movie show worth watching love actor watched sherlock star trek found another movie show great actor looking forward future interesting thought provoking premise nice see play vulnerable character especially latest star trek movie watching got distracted busy life enjoy seen far definitely continue time going today realize far government completely life setting far happening worth time big masterpiece thought give series try really like person interest interested whole government watching show watched prime member well written show actor sherlock series watched first episode plan check rest later far good like great show show love turned interesting mystery action need pay close attention watching one scenario quite plausible voluntary national id card system part series alternative cannot easily really like benedict really good part movie would recommend anyone suspense interesting debacle giving away freedom security getting neither benedict fan like great intriguing story religious heavy handed perhaps author much single story said would definitely recommend book looking future harmless good government oxymoron devastating bad say well well written enough suspense keep wanting see definitely worth watching give try thriller almost end run thin different ending less positive view near future entirely unbelievable one benedict excellent actor finding good along intelligent plot story thoughtful subject matter tell great thankfully free serial needs take lesson excellent performance us concern growing national security apparatus plot bit hard follow times trying find something summer watching everything air really hooked light currently going homeland security movie new relevance watch show benedict roll sherlock good caliber sherlock become entangled plot see next episode really series bit dooms negative view future la interesting great painful part long episode speaker talk topic death benedict fan found series chance hooked right away like us terrorist killing people train station government really cracked already country police every corner scientist speak top secret id system us also trying find brother working also fallen love sister law complicate even took awhile try figure series everyone surveillance suspicion series us interesting let brilliance actor premise series fascinating new take future state acting top notch mystery suspense become series well done eerily possible seeing everywhere impossibly futuristic fi headed soon tense part drama part political thriller part fi government saga excellent slew recognizable watching like spy enjoyable hard follow sometimes watched closed caption order miss dialogue far fetched story line good highly recommend benedict much show even sherlock bad make story needs told perhaps aware probably home soil power consolidated human become corrupted trying keep power technology long point tale come true powerful media determine news really propaganda country right wrong reality concrete individual human giving selfless service mean nothing monster government collusion today reality face shown us military industrial complex definition fascism welcome new world order really offering admittedly tend enjoy produced series topical good amount intrigue finished first season waiting season become free prime well done mystery benedict perfect choice fora geek turned sleuth always looking forward season much willing give name security concentrated power even benevolent police state headed interesting story arch well written produced cast interesting due good character development initially continuity subsequent follow thread like ben c sherlock quite twist ending good movie sometimes bought daughter great suspense series entertaining thought provoking excellent series character even better sherlock found sherlock bad slow premise good action towards end ready great series wish one season like main actor highly recommend series sherlock great introduction story rest would love see next chapter story even though older show worth look come good acting sherlock fantastic story spectacular standout well well worth watching watched last enemy seeing benedict sherlock fine actor hardly wait see career develop last enemy captivating start kept interest touched heart would encourage seen fine actor technology big brother watching modern classic every person dark want something chew looking light enjoyable option watch engaging chilling exploration cost security nation extent willingly surrender liberty arguable security resonant detestable splendidly liberty mirage safety general thought bit stretch middle overall fairly strong series series make think technology going tend think help us make life easier obviously serious giving privacy sake convenience story handmaiden tale identity card shut longer access anything also although early lots turns message clear enjoyable intriguing little hard follow first since secondary plot line intersect main plot halfway second episode worth wish shame miss great like honest like watched like show idea big brother would like disappointed could find season enjoyable quite understand could follow plot well lot suspense acting extremely good generally big fan genre one pretty well done implausible sometimes compelling story line similar movie enemy state unlike many moving make hard understand happen like benedict mathematician working total information awareness program panopticon type surveillance program designed monitor brother doctor trying track cause deadly disease refugee two come together forced work government solve disease issue lot done five seem constantly somewhat unsatisfying ending interesting watch coming way benedict fan need see admittedly times plot little overall definitely worth watch watched first two early perhaps premature judgment strong series timely important issue government surveillance back thanks generally strong offer convincing vision world right paranoid dark without humor hard get benedict pleasure watch see sacred monster becomes show yet hit part spoiler alert turns hard believe tryst b character dead brother widow good thus far better much watched twice get volume great view conspiracy theory people question ever increasingly watched first episode good job setting premise although major plot element pretty implausible since watched whole happy alarming ending final little hard follow though headed government observing everything way tyranny thank intelligent plot line fine make last enemy interesting show apparently anything going good good presentation total information access government thinking prevent end wonder would give look series keep edge seat match around quality series like war great fast pace good topic make good series hope produce sequel love benedict sherlock series decided watch plot really good would better ending beginning totally drawn yes another rehash big brother watching enough turns keep people watching acting script everything else great get last episode say someone apparently figure end series ending far satisfying since want give away ending let say ended conclude become benedict fan masterpiece new sherlock series found gem set near future five episode political thriller real freedom versus security conflict role privacy loss political resolution great thriller acting good believable especially view recent controversy good watch good sherlock still good show watch work seeing sherlock pleasantly manner handled premise well worth time spent watching thrilling fast paced riveting would use bad one season enough said government chips skin travel work without chip government covering secret killing people backdrop love story character late brother wife plot twist discover brother trying uncover government secret death enjoying last enemy vol think lot big brother seem privacy know last enemy supposed scary think true could non less enjoy looking forward next episode intriguing really series little different full suspense masterpiece always great show really thriller however felt little mislead label volume really volume episode access find rest volume think six made aware big brother good even realize government permission always enjoy benedict whatever role story micro chipping general populace order control monitor individual quite intriguing inventive new twist recently regular people turning superhero idea non plot stupid child actually think bit heart action movie however want think hard big deal movie effects nice nothing cheap set well done camera work good even beautiful get know pretty well film bit lack character development supporting interesting concept able execution make non action part movie found take nice well done sexy film three took viewer fun filled exotic excursion exotic land looking exotic around bikini nudity good bit travelogue thrown problem film take although film still lovely nude film look wife sex nude tastefully done still sexy enough raise gauge worth reasonable low rental price love wont disappointed beautiful exotic star nifty little film good rental purchase price bad nice little r r rental purchase rented movie almost minute way much said love minute thoughtful presentation somewhat helpful showing thorough analysis medicine natural born gymkhana er great sensation liberal episode possibly great depiction well average guy team q score name big cat rob fantasy drifting come true goes toe toe race car frenzy get better take plate sip soda watch home rob big well fantasy factory nervous r format fine special either really care much buy documentary information based written account experience understand correctly part would able write final day somebody else edit finisher account presentation speaker story woman voice speaking written glad learn though model us story especially encouraging female presentation simple camera action awkward times story easy understand think information could used explanation though instance speaker people day one point would removed clothes oil head toe front congregation scholar early church guessing must meant removed outer garment something naked indeed custom would note commentary explanation otherwise like contradiction since later concerned modesty even tried fix robe cover wild beast nonetheless focus solely minute presentation hopefully impact better interesting watchable realism historic event really artistic story rex butler good research background stand interpretation thought guy preachy headed las feel know expect hotel entertainment must admit seeing new number one bucket list watching beautiful help saving trip photography narration bit really trip one end country hardly wait see person import new kiwi country video thorough offering history casual visitor watched video trip wished could going good gave good would thought visit whilst holiday especially way less traveled like good biography thoroughly documentary candle dark keeping one another would highly recommend interested father traveled st chapel year first time beyond awesome amazing fact severely felt lack knowledge would better prepared experience video documentary nice job chapel splendor history fact plan watch second time personal complaint documentary really fair valid documentary apparently behalf church focus religious church ongoing daily basis would purely architecture history church church would wish make museum video great job showing special timeless place st much rented video like well spent easy obtain thank excellent review history empire prior railway able get oil outcome might different war would certainly figure part since one led cut railway therefore strand number german rental fee reasonable part one two little expensive happy rent days affordable fee senior citizen feel like yoga early morning tai chi really moving explaining routine easy follow helpful learning full routine many fine without explaining slowly physical therapist cane ago tai chi routine much interesting engineer retired military officer bit time middle east found really interesting might get bit tedious documentary deep railway politics involved history buff enlightening railway one tie together empire empire many ethnic predominately also making harder also rule common hatred one another making empire harder rule harsh terrain difficulty traveling one area another railway hoped help control disparate ethnic increase trade however money build railway turned provided design construction supervision equipment railway documentary harsh dangerous lived construction part affected negatively construction railway get complete story watched documentary good job skimming surface topic extremely centric however say one segment russia nothing heart wrenchingly war torn last century south war interesting enlightening film good job looking something entertaining kind film living u quite fortunate go many world daily basis due aftermath war example first part film men travel throughout country searching unexploded sixteen take find great number year equipment one unexploded say case much overall entire film interesting also sad film one people watch informed educated effects war would love love war like bad earth planet since got old mountain goat another war movie never really thought like war since anything modern times soil mass destruction everywhere interesting show video found long form beginning end fluidly without first part video instruction second part demonstration must view two observe complete form instruction several blended together second half video like master room following along taking yang tai chi class really would recommend taking similar class music video song pleasant rather well done encourage watch preview cent music video little silly live learn pretty good movie centered around favorite character decent amount action like normal saga shorter like enjoy fan bleach love movie much better nobody centering captain court friend long ago guy watch movie along side something together look seeing must joker making description bad film maybe inaccurate synopsis trap us watching tricky enjoyable movie little predictable acting great good story nice would rate worth time description accurately portray movie impart great message story among impression meant native regardless fact worth time watch movie wish would fix description give due credit searching movie description ancient spoke actually really movie two young men finding trauma childhood destructive young man find way supportive family anything individual need growth self expression lot time spent following artist fine like music puja ceremony great music nice enjoy instruction excellent various enhance learning good teacher breaking detail summary love master presentation like burn product bought would known never would bought would gone master site bought actual physical copy never purchase video rip teaching past two one week used conjunction video showing teacher china master give breathing couple general teaching quite good worked couple teaching style user friendly fair amount debate effectiveness learning martial via video studied good teacher learned hold body transferable believe learning thank master review rental film decent action flick cop hunting drug looking thriller lot skin movie pretty good role main bad guy flick pretty good al scarface impression solid b movie action flick rental price pleasantly surprising better thought aside satire bolly double also great screw ball comedy anyone enjoy movie cute harry cute story kind really like bloody plot plot though heart recommend family movie one best investigative myth hunting josh modern day great josh team varied collection unusual around world looking truth behind folklore interesting show people josh either eye witness expert josh charming host take seriously seem determined jump crawl sometimes fall hazardous light banter eclectic mix interesting entertaining show armchair adventurer awesome plot x men entertaining awesome graphics downside character really fell short effects convincing still great movie wolverine definitely cool looking forward sequel based japan course short made watch movie trailer informative movie purpose get watch movie wolverine one favorite marvel comic book disappoint look forward seeing movie come love wolverine movie everything worked fine like supposed good movie past life awesome body another chapter x men character would recommend didnt watch whole thing computer screen big like series get top notch coverage world premiere blockbuster film x men red carpet watching movie love read description movie video watch movie video streaming title first sentence description obviously incorrect however read whole thing know movie since duration video read fun watch marvel hero jackman undoubtedly right person claw freak must watch like behind look going movie premiere search actual movie really one watch making premiere always good see put together came life action lots sure best movie dude acting long time x men fan say fantastic movie would really enjoy seeing behind movie good needs simplified way interesting look birth one iconic come better run movie much worthy fantasy series watching one time tour full history folklore life great photography real beautiful good overview emphasis natural environment good watch going area first time seen show headed days thought show would nice waste time pretty entertaining host good shopping thankfully show show want go back bangkok go shopping fun wish movie longer know however movie able hit cover little overlap experience another crucial movie learn help growth audio lecture front audience given knowledgeable professor mostly historical modern like lecture adapt presentation good survey lagoon geography people seriously interested history may argue overall recommend th century order two video one short talking thing watch film cruise antarctica film clips port also many peninsula antarctica depth rather water kind documentary northern one better useful information different see gulf coast side still particularly entertaining lot good footage variety since think hit lot yet opportunity check episode truth episode suffering problem bought five bit shock bought one four several plan return update review post comment mix nice family type series corny silly instead fun recall ever seeing even well worth time watching like anti violent longer cute scene two spend money might interesting watch pay era casual one night quick soon broken separation divorce standard single parent longevity surprising roger wrote directed little film yet leaves window redemption open film well cast stylishly bit tedious times sort way life tedious times still leave room hope real love really happen anna duff little train station elderly roger frank waiting wife though really happen chemistry evident two part anna toby bower single parent rose living emotionally flat line situation days working nursing home strongly elderly patient law obviously something missing next door anna couple telford one son joe anna sexual relationship despite friendship happy affair anna glue marriage together anna though even know name lovely man leave anna anna love return role husband father thanks love little joe dad family though last meanwhile love mysterious anna series blended needs anna finally meet train station kind harsh reality loving fantasy us intelligent distinctive film acting top drawer photography direction make whole story work maybe place fate destiny nice believe duration lovely little film harp august love photography movie photographer hard time marriage woman wanting desperately sweet quality waiting hanging love b w movie old appeal like violence story slowly yet attention supposed seem older anyway worth watch golden ring chain medieval movie done several ago small group neither strange hear pronounce well known good tour video golden ring tour movie good history city arrangement however would like guide include tub middle school science teacher watch episode refresh talking able purchase episode watch excellent perfectly fit needs love get easily obviously major world event global economy still informative show somehow kind snooze fest watch video school ran perfectly let get work done time hassle thanks counselor found movie right track concerning sad state mentally ill incarceration stated title overall documentary somewhat slow could redundant however highly recommend movie work mentally ill capacity presentation felt informative provocative problem cut middle presentation find remainder tube reason would purchase another always learn could see good start always good basic overview place nice basic documentary better produced thought would good introduction potential traveler someone learn surrounding countryside good season watch enjoy working need motivation get sofa trick family biggest loser streaming last season inspiration excellent coverage story ignore fact divergent controversial topic chile different murphy movie one done better bought family particular allow watch funny message regarding father need time real father little girl movie excellent part bought movie future reason love movie got good message hard sit parent even th th times young protagonist adorable one non animated six year old would sit movie may seem like child play know truth stranger fiction communicate via imagination tribe hilarious especially since hit close home story pretty good murphy great job distressed character always good built lots awkward great must see watching watched back back little girl cute often clue reach child overview minute comedy drama based colorado magnificent rating mainly complication relationship murphy daughter plot financial executive well however work well last job new guy block church become close rival last quite accident daughter imaginary always make right comes investment gift keep ahead weird making crunch point crunch comes chairman set resign promotion however must prove group boss martin sheen given portfolio hour make presentation decide get post comical ensue daughter party sleep suddenly use son filled red bull make investment film must love special talent may nice family movie must take quality time spend like imagination one take place make believe setting film colorado may recognize ago remember laughing long hard cop even murphy generally irreverent profane humor parent glad see family friendly way even usually slapstick top humor like one quite go far must admit stupidly annoying throwing plastic playground put one must see list wife rented one night pleasantly murphy aggressive investment consultant time family fact connection daughter old think forced care week insensitive security blanket imaginary giving surprisingly accurate investment advice thus relationship daughter although initially based right missing exactly devotee type movie really seen murphy since mansion disappointing really one notice foul language crude must gone right head perfectly cute daughter church particularly funny main competition work phony native advice plot line may formulaic ways moral story done bit thought movie quite fun definitely better first murphy must live time warp guy stand college later great still skeptical premise movie see great good message well without four letter movie thought really cute would good however hold year old year sons sweet movie father daughter relationship always great comedian turned actor watching one used steal even night live finally stopped didnt little star purely adorable movie really great lesson must see family movie watched younger learn lesson movie admit big murphy fan little different serious little girl adorable thought good story daughter age year old daughter slow funny movie like similar bit predictable enjoyable fun watch murphy good funny ever without movie younger movie good learned playback video demand hate last show season ended hopeless romantic course stay together happy wish would film season would amazing love instant star amazing voice really enjoy little show final season great war show favorite music discovered little gem really check lead fabulous love chemistry great last season wish also ending friend product gift also shipped quickly would definitely set future great quality got side side b easiest understand double check cause watched last first accident ugh stupidity good condition quite nicely like ended though help thanks fast delivery decent price perfect end good series movie still great series sad see series end season good hard find free watch buy view great playback great way watch thank another alternative season great touch enough tommy unfinished still oh well either way good watching fun watch good time days best funny insightful said best never another carlin husband recommend series surprisingly good weird actually tried watch series air think good however brain longer elaine actually enjoy actress really glad gave chance give try wont disappointed funny though short season still funny ever episode laughing loud bit cynical tone comedy got little always hilarious poor follow story sad last episode closure really funny entertaining show laughing think shame really enjoying love show really funny relate story really funny awesome racing home work watch show decided buy whole kit caboodle watched point tire guess idea free fun journey times never like brother catty perfect fun oh neat ex think like best series ironically insecure unlucky female lead love show love able watch leisure people know roger one key however quite career quality rough content solid roger classy spite perfect none us perfect continue fan career review young first know like came cool know really know hear little thing lawsuit never got also last last record landing water bad record worth great showing good workout could bit sensual mean hot could done nude movie rocky start steam hilarious awesome countess funny way see rarely film also jack brilliant vigilante captain odd movie slow awkward much worth watch film interesting worth time involved watching watched south really like anything wildlife exploration especially natural habitat marine life get minute pretty good deal love show seeing cable since love watching stuff worth every penny streaming works great blue ray player wish bit material pound pound foreign outclass movie predictable acting good interesting one psychiatrist quick dismiss drug second short case management discussion smoking balcony equally unusual highly likely seen similar third fact alternative treatment hypnosis even seriously considered serious discussion reincarnation possibility film would given film th star darned predictable nearly supernatural activity occur night alone say really plot well except neighbor lady gotten deserved kind musical musical papa particular wondering movie actually slowly suspense political aftermath tragedy dirty politics ides march might like plot fairly tight character development plausible enjoy acting always good believable finished series found story line show somewhat similar bit trite otherwise watchable eleven days parliamentary election party main candidate become next prime minister wife car accident situation critical nobody survive even wife also informed next day assigned cover election quickly drawn internal power struggle party two different lone show interest gaining power potentially becoming next prime minister son previous justice minister first front page story tip party press peter story turns spin order damage lone allow advantage lost credibility back story king game said story ex parliament staffer saw first hand political wrote book film film came many top kind political film think goes w newspaper journalist cover parliament father member must first day given spin story current candidate election party brain dad horrific car accident two center party want next candidate one dirty indeed caught intrigue figure real story intrigue politics best one better place cal seen rest cast seem familiar two comes mind lone peter misinformation source editor paper owner turns old college friend top mission wonder real world crime usually well done exception need make available bridge never deliver first saw checked works since first series half contemporary story organized crime like crime mind great movie terrible movie instead bottom film screen order see probably need screen watch comfortably sound identical studio without aid post production ignore post reproduce live setting obviously mix done live talk bord operator whole first song get band good listening mix get past sit prepare tight rhythm section horn section fender main force behind pleasure see right audience belief video little post production well worth view crank blown away since lady rock tha house anyone remember well studio mixed like live version action never boring fact action increasingly exciting movie goes along especially skilled story add movie nicely like ending could end like even without sequel one waiting going describe one many many movie order sum movie awesomeness tony character kind flying half man half monkey kung fu dude top elephant seriously still reading watching movie know else convince let reiterate said namely flick filled sometimes almost overwhelming one next nice plot weird foreign charming bell selling dude ancient dance lots cool non traditional style like initiation sure everything always perfect sense bit confused ending twist take away overall movie actually fighting first one better modern really fighting stuff sliding running people one traditional feeling watch enjoy lots great stuff still wondering initiation battle tiger lady supposed challenge body mind went kung fu oh well one favorite martial awesome acting average better martial production relatively great tony truly unbelievable demonstrator film movie good action great action different film use many martial action absolutely visually stunning usual tony clearly put life limb line art nothing nice treat picked movie random watching hour really happy everything movie sense respect subject well audience story overly complicated easy understand follow time interesting compelling enough make want keep watching considering martial film acting away really comfortable natural making easy get story cinematography really good made eye catching experience top martial truly awesome maybe used obvious real slap guy two later head sideways stuff even painful wish would put somewhere tony amazing fighting talent movie little dark side truly action fight prepared gore blood leave great fighting ordered received sure going like service fast courteous thank movie connection original except fact tony see tony taking path jet li story line easy follow movie fight good involve sword style martial personally first movie better action movie also good characterization top improbability creative wild add genre make martial movie recipe full story amazing heroism outrageous odds humor come together nice package movie amazing plot old nothing universe movie mean sequel great movie starring great protector dynamite warrior talented martial artist tony back beginning meant though cannot see anything two save perhaps karmic sort rebirth sense usually would drive case though say film wonderfully fight great overall visual experience epic adventure story tumultuous life caught one spirituality youth man one become due circumstance karma protector far favorite tony add list barred fight fest full phenomenal tony like young better much better good martial foreign film probably give beginning go worry watching part first necessary definitely necessary great follow tony spectacular watch plot around tien son lord nobleman old spirited unyielding youth tien savage slave death man known renowned warrior leader beek group though set th century lack kung fu ending clear tien dragged away tortured massive horde army bandit king raised available another amazing tony film original fixed create equally amazing martial film amazing epic one shorter time wisely much filler original also feel movie emotion first thought supernatural film unnecessary also great fight club original great thought little note variety hand hand combat weapon based really original might enjoy appreciate definitely movie worth streaming available getting movie enjoying original much overall thought movie good lot really good action picture quality really good clear sound also good far actual movie goes sure exactly trying accomplish involved story original veer course toward overall good quality foreign action film tony tone exciting martial watch due part fact fighting unbelievably powerful beautiful seeing tony choreography performance martial fan could ask listen movie definitely charm first movie however story diversity martial great authentic period martial art competition featured believable real second generation certified lee instructor region tell decent movie costuming cinematography training good especially time period piece think fantasy tone like original classic like enter dragon th chamber modern day classic variety see tony versatility martial time period piece really good surprise many ways gone tony usual nice guy water routine supreme bad little dialogue thirst blood also rather usual fist lot time around making intensity better movie character action star sadly plot much really excuse anything else however say end film looking forward third plot development big surprise movie potential spoiler clearly intending third movie year end spoiler real complaint movie calling relation found first second way maybe link found third overall seen previous tony movie know expect great action awesome minor story let entertain tony great movie fighting much first one end however disappointed end story title continuation first however expect heavy martial movie tony movie scene time traditional use multitude weapon unarmed great film keep review short hopefully helpful thus far unlikely disappoint go story fun explain watch personally recommend great movie series spoiler installment absolutely nothing first movie fact st movie part story movie great end finish great story great fight great open ended transition lead movie end read full review understand read review really thought good original incredible fight every weapon ever show point film cool last movie stupid crow human thing face totally illogical unnecessary final showdown good reason movie obviously setting set sequel least set manner sense would star movie utter crap last leave bad taste mouth thus otherwise stellar martial movie story pretty straight forward movie lots fighting blood vampire getting quick easy movie quickly like ray fantastic fan martial might like awesome better first one tony j proven one best end bit abrupt watch sequel good martial movie fight fantastic fight well story told interesting well main draw movie watched tony protector keen see fighting style fight good martial movie love tony however movie quality picture maybe first international version guess fair trade price good martial flick like jet li fearless set starring tony martial love listen complain story martial revenge story simple since success warrior action tony follow hit aka protector much sequel experienced quite tony helm writer director reason stopped production mentor patta came finish film sequel different period different original got moniker supposed production familiar title nonetheless looking martial action young man tien family rival noble tien found group slave reason leader peek pity boy young boy fighting spirit boy trained manner fighting time tony highly skilled fighter overcome many manhood tien second command innate anger within tien revenge family eye tien must fight life alone previous works ingenuity film quite plot pretty routine unimaginative story shown quite honestly effort making intricate execution weak film narrative plot aplenty certain film felt rushed doubt meet deadline effective twist felt like throw away detail since none involved fully come go connect certain familiar show crow ghost dan martial use touch mysticism blind shaman fanged woman like samurai swordsman practitioner kung fu master warrior film lot potential group large assemblage problem none felt relevant lack development colorful mere attempt style part tien also love interest never goes anywhere film lot cool narrative cohesive thankfully film action impressive previous lot swordplay hard bone crushing satisfy action tony still style acrobatic jaw dropping proven signature minor use none elaborate previous feature prowess film several different use tai chi sword gong fu dose even drunken master suppose meant exposition tien character well versed martial china japan nice touch tien trained become dangerous fighter period cinematography quite decent well engaged showing bone crushing action mostly take place jungle unlike original set action pretty routine may prove repetitive action quick intense bloody brutal times maybe brutal original film gloomy atmosphere plot straight face however may much serious tone tien one emotion anger much film screenplay minor set show martial artist actor know film high action film lack tend dull narrative impact fight climax also thought rather unsatisfying type film stays aloft due number action impressive regard disappoint sometimes need pure action film film one bone crushing stylish hyper kinetic action action would talk fight never intricate ambition time around depth plot abandoned favor action climax prove little empty unsatisfying enough action hide many acting deliver excitement display martial action form tony highly film take away action read one like read watch movie waste time least clearly hard work put project time get final battle edge seat barely able control magic flying amazing hold one captive masterful art disappointed grew pacific northwest back decade family stayed area getting lewis clark really move back depth nice introduction like video classes find interesting adventure kind neat bad technologically adept film good lead slightly role say good suspense toward end close taste movie good good plot simple wish little bad utterly careless nature doings bit top dealing bad near future beautiful good variety around state would nice scenic included well see san mission unfortunately included also people could shown length good fine photography short film great introduction one great scenic western area become fairly popular see also key tobacco growing region expect way kind place area close enough great overnight trip rent car temple free episode available prime sequence temple fixed camera nearly see people passing foot bicycle motor vehicle temple people come rest observe explore nice piece short front ancient holy site video first child voice almost decided least watch glad highlight gorgeous area us family went car trip nearly national quite turning lot looking window touching trip call love affair southwest husband returned year year early anniversary splitting fe year would ask us going somewhere else say thought maybe go somewhere else next year even though went west always much new son college san business thankful back yard daughter western college several back husband get check hair raising trail mile road ride sure see dead horse point dark canyon area husband discovered young youth us nightly moon wild life thrilling us lovely voice grand staircase watched moon rise front us sun set behind us great video give small taste wonder desert southwest think also clear much sight seeing sit tear hair recently good refresher park surrounding area good primer plan visit video lot one go love lots information prepare trip would recommend anyone wanting know plot little worn boy girl boy turns wise guy boy hurt people gathering evidence boy framed boy girl boy girl prove innocent aside acting really bad fact think read might able say acting especially actor almost top particularly right injured compelling rather unfortunate therefore extremely editor knew stop ahead one particular montage nearly close browser despair disgust regret considered watch movie despite practically screaming eye solid b film somehow pull go much pleasantly watch show riveting movie peek german security easy critical governmental would easy imagine hero criminal interesting movie thought provoking recommend great funny great really good men woman nice really u watch several times lot experienced life grew part reckoning hank average least times week different hope stocks anti biotics great fun show solid draw become likable definitely show give making judgment whether continue show fun goofy story great enjoyable take chance modern spoof life enjoy show b c ordinary main character bit much mostly count want play show far fetched human behavior becomes hilarious watch better lot little much gratuitous nudity opinion watched however really stupid even though good plot good story line struggle season season great acting excellent writing well put together program sexually timid repressed although may good therapy although sometimes want ring hank neck yell dude grow total lack willingness story going great supporting wonderful handler play neurotic couple love one best role hank daughter martin stoic earth yet precocious attitude impeccably hank come together well show struggling neurotic family actually find way coexist love deeply get caught keep watching know season ended cant wait start next watch one series smart comedy luck author hank moody get runaround mother daughter daughter crazy love unfortunately hank habit irresistible opposite sex constant trouble little disappointed season starting get blowing everything hank proportion yet tried propose shot someone tell make mind already actually watched season see rick disappointed great show great never cease keep coming back self produced sometimes directed show become self centric case works well story another dexter type horror person unable completely live love present love hope get together yes story fresh season still laughing still thing watching la scene anyone really live life booze survive first bad unrealistic man really sometimes flat many anti hero hank moody needs give ride longs like police department men may testify smidge reality opinion hard overcome reason four character writer something show far phrasing goes excellent best times someone would told hank moody mean come medium gave us bout keep watching watching first two three season longer available prime show good however would prefer received notice removed prime maybe would able see episode season first three season entertaining even heart warming times hank moody lovable wreck man child old story hank coming close hank always screwing somewhat disappointing addicted matter would recommend show immature adult like booze sex season three sizzle season faster pussycat ow going across many ethical student teacher bond ta runkle turner rick cocaine really get really plot good still shark like b appear series rick awesome turner role perfect peter dean awesome cheesy good writing wonder exist anyhow wish available free would really see work hank realize needs role model daughter ex considering give another chance becomes clean sexual encounter cannot accept tolerate last straw come worst time three way becoming family top hank picked guess coming clean price especially one hank ex future guess mother never see hank getting one karma documentary question much world since death alive today would people still demand execution video depiction last days earth crucifixion praying garden last supper also mark luke bread perform foot washing ritual symbol cross relationship man overall content good would recommend short study group times video grainy audio good great pictorial view special holy land feedback given video team hopefully see improvement enjoy cordoba traveling spring excited get glimpse go thank opportunity view documentary great accomplished revolutionary government although intended otherwise would love see focus country could develop photography excellent narration good well found rare travel quite surprising many interesting interest could found little well made video guess story line kind plot make movie watched first time sound also watching second time sound nothing improve action gorgeous scenery worth watching without sound like watch enjoy reading watching everything trip another good resource really excited see magnificent person interestingly enough video covered already visit gave good sense expect bad little old detail helpful information probably take one good look going saw never knew good travelogue quite interesting journey interesting native yes old school style travelogue inoffensive informative know nothing much city benefit watching video good overview place based information video decide go want see wish included map indicate exact location even small country always great deal see map learning really go visit beautiful city full history really watching fun light hearted easy fallow also short kept attention year old information great depth beautiful country without spending much time showing landscape modern day bad watching pretty good quite interesting watch take ride famous city offer go blown away yep great tour lots interesting interest surprising building history place local always interesting hear city outside perspective thought show good job lot local history like vista point cover much ground land small bit history feel people old watched movie female pirate thing could remember name pirate providence later reading branded ann thanks found movie well bit disappointed action good story weak really put fact ann providence terror could easily selfish pretty boy done nothing lie ever since first stepped aboard ship even though really worth two three best gave four sentiment another film part series biography pirate total bunk biography movie movie fast moving entertaining one major works nonetheless quite watchable jean usually fox fun seeing play cutlass swinging bad girl albeit one time die nobly less icily impervious usual part good guy bad get goods bad oh yeah great looking film region release blessed player interesting informative spent lot time shown never knew want go back photography really nice perhaps could information melted beautiful gold people tried hide probably still history could benefit less reliance invasion conquest native knowledge program traveled florence number times even married film comprehensive important included many guide often overlook recommend good tool visit enjoy city might never see good introductory tour florence showing major historical background behind famous renaissance city state excellent introduction video show though video quality production make seem though could early however someone first trip interesting introduction many generally exterior lobby gambling hotel narrator basic hotel well overall glad watched main nice pace good overview city important funny stuff lot pandora finally got hear entire routine together lot family married routine pandora decided see whole show disappointed check seen routine number times never funny great timing material like bill burr c k tosh pablo like bought seeing clip comedy central pretty funny definitely looking material guy nicely done documentary easy follow complicated always interesting watch anything documentary video production professionally produced never documentary made interested overall interesting cultural learning experience incredibly fascinating use part watched geography day found little time afterwards would like living like get water eat living good lesson much available one well gorgeous really show modern city like still real treasure interested part world lived three found informative review interest templar enjoy short sweet every body see medieval city life food great especially buckwheat video short free prime beautifully brief tour acropolis theater entry gate point narration would like know subject empire vol age great people may looking vacation destination ordinary deep touristy cheesy instead natural beauty history island rented moving two glued watching two little movie exploring also narrate great point view must see trip small global quite short video well history city simply walk around town inside people viewer present opportunity take train route almost entirely elevated glacier return trip take boat trip good information film quality little old good brief overview hagia sophia lovely video charming village ancient long view history sort like watching uncle home need great even though video still informative useful plenty information video audio sync useful research trip nice highlight little slow perhaps nonetheless historical context good treatment wall importance wall figured history never forget true story cautionary tale relevant ever story island earth civilization similarly population environmental degradation interesting love history really good insight lived era video clear picture good narration educational entertaining course nothing like short worth watching much learned lot recommend quick tour palace would little history nice job getting want visit interesting story beautiful imagery flashing experience afar would recommend armchair comment lived harmony worship worship visiting spending three nights good overview expect wait first video tour mention sound music informative wish seen prior visit covered informatively nod history presentation bit dry somewhat akin school filmstrip visit must see eleven enough cover impressive historical monument film work excellent narration less still glad seen short interesting travelogue cannot recommend paying see though worth prime member wondering another mystery planet rarely university media film good look land air mysterious information useful anyone visit investigation local provide perfect brief ramble area good snowy days wish somewhere else beautiful photography nice video see covered lots go many child friendly video short overview plan visit ancient brief discussion rise archaic town lots footage temple brief overview agora discussion conquest trip museum footage finally discussion post age great video bad considering long free prime clearly good entertainment gene kelly hosting albeit front cheap variety show give watching two dance together worth rest eh searching introduction history republic also information culture landscape video couple old believe informative interesting nonetheless excellent guide familiar assume seeing video gentleman discovered long want see phantasmagoric architecture video watch quite enjoyable worth time understand viewer poor rating overall film quality fine offering viewer stunning intricate tower beautiful city length difficulty watching entire film problematic unless one short attention span educational video like well worth money say terrific picture china great wall historical color commentary contain gross factual china never able see photograph great wall space spite length meter width resolution unaided human eye considering surveillance read license plate unassisted observation correct standard bragging photography spectacular narrator resonant make worth watch want visit china watching would hear little different wall especially going visit beautifully royal castle gift royal family pleasure visit via video person knew great film older quality well worth thrill though never real one perhaps great chance view thought bangkok bound interesting also weaving multiple would like see video bit though depth historical information film hurried different long enough really see beauty architecture well went short point minute film everything need know st landmark sunny days something always lucky get well done short sweet good look st used supplement study peter great recommend travel always new corner new hidden gem video us growing early big news interested watching overview episode saw eleven long knew full treatment history complex however real negative program excellent video tour park great telephoto distant two major green colorado three different period still find video great experience photography crisp sharp lot attention detail whether park video well worth least personally discovered interesting explore next visit park searching visual go along study seeing want history go along check last day streaming included prime think totally worth rental march chose rating season flow positive feel watching season nice addition franchise look feel good nevertheless entertaining fi fan show said go think appreciate show watch decide self great series love series sad ended soon would come another one universe much potential start making action story great premise story line could go however starting first episode back story leave us confused support happen however half way first season still trying figure part wish like movie lot background good amount action maybe need find mash help still worth watch future series glad ben good yet plot interesting thought many could better military people supposed top tier somewhat inept strange commander time crisis time visit wife earth body swap instead saving people lot like could easily much better show would like start saying love bitterly disappointed see third season show definitely whole different brand light hearted atmosphere done right way whole different situation trying get home volunteer qualified back earth rather certainly enjoying experience necessity dark could come home sleep night taken light hearted atmosphere adventurous attitude two brought one said full right show definitely goes hesitant go fair amount drama sex suicide drug abuse well jealousy physical violence adultery death disregard human life various various times actually holding breath key stick around simple truth make back alive mean without humor witty banter however one show absolute canon around house days said say took better part season find groove early good seem lack direction although found much second time around knew lot could pick subtle really click first time season really speed halfway however last season fantastic start watching really first half season stick worth time reason see jack carter woolsey various along way watched really like incorporated really cool use exchange see family start watching one episode stop usually watch time unlike posted regarding new series find refreshing look complex established universe original adventure exploration times finding important part various go back far format twist home team less certain place far went format show virtually resulting ten twelve total style universe clearly square peg familiar round hole tech still plenty potential old exploration adventure heart people far real exploration personal survival motivation think coincidence ship destiny physical resemblance anvil found way tempered forged something much wrong people everyone sort story always appealing looking simple entertainment quite meet standard fi drama yet believe comes close easily room grow full potential gave four show great seen many later initially sensed ensemble process forming unity later achieve luxury hindsight little hard objective know show going success think enjoy beginning end great show one better space think would market future cast lot stable show two also somewhat one thing show really charismatic character see introduction sex fellow soldier somehow know show meant perhaps little cast dislike sort personality less many unstable seeming otherwise young rush even different way really get know well enough character pretty good job loss maybe rest cast also little easy everything know super genius really never seen alien technology show reminiscent voyager immediately special place know whole side galaxy trying get home thing even fascinating voyager obvious able leader universe one quite fit lead constant control ship especially command back home along give control fact less rebellion back home even voyager away proper protocol super concerned federation young say taking people side universe still ended big issue justice authority fascinating given entirely clear figured work communication love way utilize bring back home every often sure impending threat alliance attack works way want otherwise love hearing come earth always daring moment someone let honest never going back home care say chance make home say nervous breakdown something extenuating wonder never propose leader situation young charge security rush maybe someone else charge technology representative rest discuss general anyone stay behind planet alliance people confinement also funny young angry informed way break mind control kill bring back obey explain supposed let commanding murder people feel like case yes explaining get every often always nice though dislike season rule breaking right gotten know personally love series even though particularly love cast crew shame early much potential story though plan destiny go looking creation universe eh love ways letdown much like series finally something follow good close good stuff maybe little less centered would bit stressful watch b c nearly every episode built around surviving another issue raw drama mechanical failure solar least one time xenophobia earth based alliance alternate said good enough yield fix sorely first mention lot like lighting dark conflict much like lone spaceship long odds surviving without check yet done good job compelling story arc believable interesting nice variety stand alone adventure go plot faced entertaining throw touch island occasionally ephemeral rescue show every popular fi cast series might able name despite find almost every episode interesting watch unlike precipitously fascinating boringly tedious still production anyway may signal end long running franchise shame since first episode change normal circumstance much better movie even close miss miss new star trek however first season worry cancellation built premise built well good rendition desert island theme crew making new ways find survive however look watch cable cash new series good start solid part opening episode however part felt little quite predictable especially never ending dessert plot line mention rather unrealistic even given plot license want go spoiler free three quite promising version starting similar premise destruction base emergency run safety away home familiar even use camera edition far bit drama character centric definitely lot potential series lot potential sort considering magic ancient city could detail instead predictable good show could whole lot better show good problem last disk took care getting new set back series little usual world atmospheric action place destiny ship excellent scientist secret agenda like many sure make show different previous series made clear series serious one let make one thing clear previous made joke movie first series grew love sometimes unrealistic last went far earth space ship taking us star trek rumor new movie version would series hope never wore quite frankly even though great enemy good cast first series pretty dumb universe couple poor cast end season made outstanding main cast cause land season gave hope mystery would made clear decent unable create story behind story wait take long drag remember wait next week even though filler episode still wait next week yet even b last season took drive gone early people could ship higher purpose instead got old alien race want chasing us still enjoy series look forward serious science fiction series attempt serious science fan give watch otherwise go find like go along joke good dramatic good looking hardware especially space well done ship alien last disc scratches rest perfect none loose possibly little care hassle return longer cannot play content look story character society modern time beginning way end series sometimes get show us military bad thing well fact early leaves prime plan universe like movie coming back tech special effects plot immensely thing like series lot would think people employed enlisted work base beginning series would made stuff rather go much detail show different entirely interesting worth watching least enough want copy able watch whenever share every fan share opinion already seen strongly recommend watching one almost entirely different story going new direction build foundation well original movie better human exploration space wait season two come people unique take many throughout fi genre good character development interesting plot season one curious anybody else communication switch someone earth proceed engage sexual intimacy someone else body struck highly unethical think air force going need policy governing usage communication something make host body used way know fi show wrong stated well different type show one sad thought story dragging bit without solid still intend watch season last one watched water good story would like see interaction universe mainly character also hope eventually figure control ship think still great think keep watching heartbroken ended maybe need clarify team right thinking best character far pilot military doctor extremely unlikable guy necessary mind fan give show time grow watched pilot movie unbeknown first three first disc taken bit disappointment rest awesome want see last episode left hanging wait good watch good see old previous series also fine addition universe much finished session week definitely franchise creative excellent could best franchise bad soon wish would continue season going happen poor crew ship angry nothing good read lot people well show interesting story line pretty good plot little predictable still attention keeping couple sex frequent love show bang watched setting disappointed show second season favorite scene ship fuel blue giant star short lived universe shame ended way never know would see continue series dynamics interpersonal trapped ship flight path galaxy civilian military stuck together almost wanting get back earth slew military control control get control ship slow range recharge make work use communicate really baby mutiny alien attack dead people rising many many go story first thing notice trying capitalize success camera work similar atmosphere equally grim recipe laced dash sex luckily also copied inclusion philosophical whether spoken grand social spring one fi people stuck space also notice around many got distinct impression early trying mimic lost sometimes works times although military fi least favorite space loyally watched every episode since new life franchise starting get repetitive basically tuning experience witty whiny sarcasm talent acting also new plot previously struggling find footing first half season particularly boring one horrible episode equivalent wasp stuck house trying chase window yet perseverance watching finally half season story arc finally nicely new group lack cheese factor goa far proven mysterious wraith one thing hell random inclusion guess supposed part narration something bomb mood instead mean whatever type crap music use much disaster rap song footage really screwed music obviously someone production team include favorite indulgence permitted anyway plot almost limitless think potential pull great story keep generally smart tone show without let hope keep moving direction half turned towards enjoying writing new series necessarily agree plot e trying create within ship create everyone version definitely stand original series trying complete different direction said still would recommend fi might call series space soap opera exciting really cerebral thinking space travel really good good graphic effects good acting listed due closed available streaming product knowing series without notice make sure always stays library glad found series fascinating except vapid shallow acting role perhaps directed appear vapid shallow case outstanding really hate ming na wen role think supposed hate great job took end second season really see subtle brilliance blue acting role would spoil story explain let discover mean maturing character development star tossup col young st tamara destiny ship ultimately vote depth character amazing screen presence never beat honorable mention walker smith oh forget mention part rush made performance absolve guilt taking role gold upon time cool took get series got good good series watch see good new franchise sorry see hope make movie wrap bit like star trek mixed great mix entertaining definitely production value great stream though like science fiction always interested space travel watch series nice see series different two series came first season dark dimly lit impending sense slow character development seriously difficult tell main good people carrying evil hidden agenda story line slowly surely priceless like fi fan series series took different path still nature boiling stress unknown throughout history like story taken serious tone instead around series sometimes lost fill imagination story great potential sometimes get tired get lost love cast premise show wish still still season look forward great show fan base story chance develop sad love series original movie fantastic universe continued fascination perhaps never finished series channel dish please prime user find entire two available fun snowy days school watch series show great cast awesome end season would like though little gritty well paced action cast well believable though comes across childish times anyone watched previous series additional spin well world acting good many familiar show version first movie came show good watching one bad different well written directed character development emphasis survival inter personal opposed everyone always coming together face new alien menace series watching prime never really black character slow got good different feel past star towards end always series since first movie came ago concept acting done well watchable series get fulfill promise weak spot thoroughly unlikable part persona grating found put aside enjoy would bet reason show moving forward let stop though worthy time despite shortcoming check love love style like like think st place ready think great series reason better ended cliff hanger second time watched series first back first came back almost painful watch week week think best way experience show something like prime move episode episode right another break emotional flow series much different series regard much character engagement emotional roller plot sub plot remember times frank novel within type plot development good always good bad less black gray formulaic hero development idea distinct good bad knew universe line blurred story go tense deep thus case universe love hate mainly real universe world depth weir col get connection need good overall ensemble made believer except col diamond character believable world made worse top basic premise tragic event throwing normal people abnormal situation established attention telling foundation character development also pivot point story told unlike first series universe science background instead story normal people cope unknown strange dangerous place understood show people drama accept pace allow get know col young rush rest crew destiny ancestral starship traveling series episodic nature jump single episode would confused people acting feeling certain way wondering problem attention begin understand lost strong support like good page turner book put pick later get carried along chapter chapter hungry next work current issue cinematic work fantastic well done external ship regal time thankfully world believable shot around minor universe biggest communication cheap vehicle use move plot along couple look stupid case point col young since door type miracle communication could understood would use instead almost every episode col young right call grab rush escape destruction right call use tell alive look dumb even antagonist col first take command since mind switch would expect everyone would say stay col young body huge ethical issue right switched people sex getting drunk punching someone basically body unethical immoral manner prude people aware concerned weak plot development hurt overall good writing show got right produced universe start quality writing photography actor character selection smart entertaining rare product today superficial plastic world episodic dropping early mistake universe season halfway even bigger one least character arc could ending cheat ended last good television universe whole intelligent entertainment something woefully missing today share show get better time second half first season really first kudos whomever made decision release first season box set leave two half season previously way show lot potential great great talent involved lot controversy hurt sure take seriously light hearted part fi action nice humor thrown time time show success brilliance least first season new decided tweak formula attempt find balance dark dramatic story telling action humor previous frankly hit miss made conflict different crew dark set edge character young take fact situation setup fairly well much like voyager lot story telling potential hand show also devolve much conflict darkness romantic drama drag show well sometimes show much time trying edgy determined hope courage balanced new formula say like fi general watch show open mind go thinking watching next series clone view show realize still first season first new series rough still finding way whether evolve something good like nu deep space whether devolve something like voyager yet seen universe fine cast fine acting first season blowup planet hurried departure ancient starship said planet aboard attendant destiny apparently long time without crew therefore without maintenance various found also among people aboard since military good beginning four season journey special effects excellent human interest good also think much need see considering gone many different great idea show good action slow enough bad otherwise well thought transport imagination beyond regular know universe new perspective human element give five lack action extra dramatic could better work like show lot really well done far watched whole season yet look forward episode yet show well done rest excellent acting interesting human interaction element good also love fi good even bit cheesy though cheesy range good series see ordered problem version episode favorite show going write long review also way season one think seen enough good review overall defiantly interesting exciting enough make keep watching defiantly action many really good seem keep dragging also quite lose seem end abruptly next episode mention kind wonder else maybe made way purpose really sure end big part later series making wonder overall worth watching really fan never seen anything finish season two plan watching series good enough enjoying series good condition scratches divided harder come back place watch entire episode one sitting overall miss show one ended soon also dragged character development general interesting good job character reason get fifth star director story sometime could faster pace story may little predictable going die someone day running ship fun human interaction pressure ring reality amazing show ended quickly see forcing write review said would said rate force write give would probably get people rating end star movie rated people feel like rate movie excellent science fiction couple interesting transference fun watch character development unfold three dimensional voyage plot continuity bouncing little complicated nothing cannot love colonel line lot work away another encounter rush one good fi good character development could little pure fi less drama hunting new series watch landed found narrative captivating continue watching whole series one sitting diverse provide depth story although story unrealistic setting story earth quite sometimes though depth story moving slow fi looking show take mind far away day day certainly good show watch get hooked like science fiction drama good view people run away space ship little knowledge work age old question military run stupid selfish care power oh yeah nutty professor add mix sort quirky enjoy however people interaction stale give watch see come right typically considered franchise cut rest immediately close review vote unhelpful allow explain despite considering bit science fiction connoisseur could go far feature film one merely average effort went theater opening week tape incarnation never real danger star trek box set considered entertaining enough whenever anything better tube carried many finer film perhaps going far improving upon several solid enough broadcast television fear lack connection made quite compelling enough warrant purchase colossal season multiple movie however purchase complete release found improvement franchise still bit quirky considered genuine competition say star trek firefly pretty interesting along way season story arc us naturally universe met fairly lackluster critical response remember watching occasional episode found difficult get account serial nature prose part steadily bit much follow casual observer decided release entire show across two box decided time add final chapter franchise collection let start saying extremely glad u present day multinational exploration team gate onto ancient spaceship known destiny multiple millions light outside milky way good part plot crew massive vessel find earth like prior shortage alien technology help hinder crew along way show however certainly truly coming single story thread span additionally core tale place alien reliance upon certainly center point episode past show often considered franchise date seemingly dual purpose description like homosexuality rarely covered mythos well distinction set lit take place space majority time rather earth sprawling cityscape show take bit longer accept past first underway dynamic effective may go far say memorable likable franchise date worry find missing series general dean carter tapping make favorite rodney example surely dark edgy used describe show would counter series fill void left directly far less sexual violent alcohol cigarette smoking dependent course flip side undeniable present gritty character driven drama set deep space survival exploration desperation cut one home world additionally show use almost documentary style shooting comes jitters rather laser precise stuff big budget motion bit slow cobby opposite fact downright explosive fairly minute flow orchestral precision time season underway formula absolutely perfected conclude enough flavor crave one episode even darkness show attest broadcast show indeed seem poorly lit situation nearly completely high definition ray otherwise lost course even standard high television player remarkably better standard broadcast contrast conclusion biggest tragedy show unfortunate distinction lived television franchise make mistake though way reflection quality show opinion anyway far trio full time space element finally franchise traditional space opera territory good thing opinion without sacrificing show reliance upon mythology alien technology tad bit usually absent science fiction perhaps new york times mike hale put best said universe finally catching long running star trek franchise different series one far much less action first bit slow rest seem dragged power struggle struggle many basic trying repair million year old ship pretty good revisit show many find slow speed video still good care spin one pretty good even two gave series second chance recently st episode immediately drawn writing acting character story development special effects excellent plus found realistic less series also different especially like theme group people unprepared wind make best muddle one reviewer family friendly show depending old true show anyone teens think would enjoyable especially intensity would love see movie version series left series lot less like lot like actually quite purposefully designed way suppose nothing wrong fan admit like series watch like solid ensemble mission approach series television perhaps moving toward ensemble hope bit soon right like much direction note say direction actual acting superb far given vehicle want see still scrambling stay alive two road true external villain soon would nice teasing good way start series give us bite much longer rate continue watch long gate set show entertaining never saw series united guessing series huge fi person enjoy watching prime watched recently found quite entertaining traveling watched tablet hotel speed adequate science fiction fan probably would enjoy big sic fi person really show something always going unfortunately good opinion family become cast refreshing new take original show somewhat mysterious unpredictable wanting see going happen next look honest think great fi movie side series never caught people went gate adventure returned ad even gave universe try glad unique nature story bunch people ill sorted ill prepared go survive find ancient ship side universe trek stuck earth get shipboard powered earth eclectic nature part civilian part military crew great deal material work interesting stuff interesting program sad feel need steamy bedroom draw gave four never saw came never saw original really care like lot people say slow glad bought like way plot develop hope come another season man guy lot work big fan two previous demise find going new entree series first disappointed considered watching first glad stuck got better season went bit soap opera quality minimum even less season disagree said hard core fighting survival also theme mystery destiny mission well various mysterious overall give half way season definitely giving season rank high list eureka good show fun addition mythos bad get better chance flesh bad show deserved another year finally found way would love see ended lot complaint put main dire alive kill one maybe put first place many un ended lazy trying explain actually series reasonable fi somewhat believable human drama look forward next trip far better star trek sometimes little much soap opera sometimes real life never got see broadcast caught later writing acting good sometimes plot disturbed collection entertaining see nice preview show represent show much could matter cause show interested anyways correct find development community fascinating study dominance military authority style leadership times crisis person humanity thus restraining development individual especially noticeable colonel young stagnant approach leadership really needs grow acting outstanding fail develop writing direction acting ability sure concept greater exploration human development form although series perfect incarnation successfully mythology human interaction survival core science fiction writing season even better could get movie universe show strongly recent remake tone dark grim unhappy desperate situation dire ranged superlative dreadful consistently good engaging never excellent neither ever awful nice variety episode something new sorry see one go sophisticated especially fi hard find plot dialogue longer necessary get lot special effects show continue many also sort evil guy doctor upon time two cast shield universe made yet love series good quite good equally adventurous wide variety love want kick pants great series different quite concept space ship traveling outer space knowing going ever able return home would like times use first season bad fourth episode still getting feel see peter still helm like incorporated new see goes run overseas idea expect read star star connect best giving think cheesy cheap boring regardless love show disappointed rushed seasoner series tried watch original one due present day happening right feel made appear realistic modern life taste like though universe better fit story fantasy brought life taking vacation escape space could universe little slow original however got hooked episode bad make series carter series good finding sound sound right speech music overlay becomes unbearable sound needs turned speech comes back needs turned juggling volume season good introduction new cast next installment realize mix drama previous still quite entertaining would recommend watching least really good summary see go porto short one great prime never volcano doubt ever short documentary tour delight view beautiful island vast alien informative video landscape interesting historical made want visit place beauty older film effect well enough done showing russia russia grand royalty time even awe sure see film prime instant free price real value short sweet looking hard information visiting grand canyon video fulfill ticket narration exotic music lot panning really non specific like something would see late night need video course photography must suggest even evoke grandeur music bit commercial evocative one would wish enough content enable beginning appreciation script narration superficial bit thin taste much better superficial seen suspect production hence imagery would better clearer today would wish even longer time speak one spent magical week canoeing green river colorado river descent grand canyon days past always dramatic canyon deeply hypnotic otherworldly inexpressibly deep calling us experience planet earth impossible put standard high immersion intend give video high tribute buy copy put system let repeat go day glad call attention like winged migration video tour good information great scenery going fall movie around wat pho quite amazing one disappointment film history wat pho truly amazing temple seen wat pho breath away bad film show best part temple yor future classic cheese flick many us watched theater wonderful bad film course entirely absurd fun love new wave track setting minimal cheap special effects everything else like set stone age times like cave u like fi element bit like like land time forgot u enjoy saw film young kind dinosaur space like picture good sound picture quality special effects good time film shot entirely weird location show informative travel good way learn little different land culture interesting video watch mesa look forward see movie gave bit expect see video well worth watching little could video quality great watch need fix big volcano park see see tropical scenery video informative gave general overview colorado offer however clarity video audio par mid good video overall video gave enough site show colorado offer throughout state moving specific area yet tremendously colorado neat place visit many spectacular geology many shown film see else visit colorado seen master garden taste garden lover particular visit early wish visit bloom nothing dislike film see around next corner excellent overview national park following park visitor center top mountain interest along route great nature photography good narration interesting view regardless whether park love travel movie give like visit recommend never new area scenery well done looking lot great take right east coast united perfect first production goes south central west coast city city basis taking plenty time look place northernmost point go south along eastern coast completely reason amazing capital second city concluding long visit instead enjoy looking sand cup tea however different rick travel one could imagine tone bit short footage great used classroom show good beautiful park saw powerful learned different different video nice sampling las strip include new york new york grand palace treasure island stratosphere mirage footage helicopter ride recap expect comprehensive guide coverage downtown las much video really show exposed us diversity geography place much variety never program list hope visit another brief overview palace would love go see bring serenity sea anywhere exactly thanks video great help relax found film particularly enjoyable time place watch film yet suttle undisturbing soothing music documentary seen many wildlife yet attempt engaged rather perfect moderator voice meshed right music beautiful photography music amazing native habitat need say informative educational august trip beautiful country know else day good coverage history park spectacular scenery high quality video pause scene look closely helpful trip park visiting arches national park video convince start trip arches large park three days good start interesting scenery might even learned thing two would movie many actually shown scenery lovely however little much liking documentary thoroughly enjoyable educational leaving wanting go visit amazing location fairly informative fair amount information nearby interesting footage deep jungle good thought know much watching video appreciation surroundings add video appearance bit look still fine united covered series entertaining watch informative visit given perspective make visit look interesting think river cruise stop would ten lot information get much film instant video bog de incidentally produced directed outfit de nearly size nearly every bird known found area also one prime fishing country get permit guide visit short film insightful video production interesting none less wildlife hope visit region someday live mile lake never knew definitely gathering salt next spring great photography accurately unique glow sunlight however could better commentary atrocious fact inane almost adequately commentary star well done video beautiful photography maybe bit older film still good watching informative family film go looking interesting expect get good narrative nice documentary must watch every one headed descent listen scenery quite beautiful actually good job music great relax would video better scenery many grave great series tickler prime view one cell episode size brick observation still cool scenery terrain sure good material future vacation older style video still informative idea trip style travel video traditional production ever winter video watch exquisite narration mood mystery city party ball would rated production amazing travel video anyone wishing travel watching video interesting simple leaves carbon footprint earth eat walk enjoy life simple way especially standard diet minute video free enjoyable informative lots old maybe ever would hear column strewn ancient city desert northeast built around oasis trading route mediterranean mesopotamia known bride desert first found c original name indomitable town language indigenous name palmyra city emperor ad rule city immensely wealthy trade far east mediterranean many scattered throughout several different depending deity power came mesopotamia ba al video endless series without attempt reconstruction animation enliven enhance presentation narration monotonous temple ba al triumphal gate long colonnade fortress well funerary shown various brief superficial history city given end presentation site scientifically studied various different admitted since recent civil war site rapacity category hear anything far west ancient sophisticated wealth established power far lasting longer us nation practically perspective interesting brought greed corruption story even older palmyra trip video nice preview geologic dot park within park nice visual guide either visit allow least three days visit gorgeous decent learned beautiful view trip touristic based documentary may help nothing else could get future trip video narration music beautiful one favorite love way dutch use different colors create beautiful landscape would nice recognize video interesting video sun city amazing place poor title sequence early dress travel documentary certainly antiquated however also extremely informative well made narrative dry yet warm interesting although initially may feel tinge buyer regret case end think find purchase opinion like antiquated yet endearing old school travel well worth time money used resource study region interesting even n ne year old boy travel documentary wove together current culture history wonderful go ahead try like hope like fun movie breath taking scenery travelogue elderly easily upset social russia still beautiful information priceless coverage extremely interesting thorough film age wilderness much since made thinking visiting watch first great little known bygone era something consider traveling definitely people want tourist mix old new footage nice along history fun narrative sometimes corny fine believe intended video long content provided glad watched rather video narrator covered also provided plenty area history someone knew little found kept attention could see getting little someone experience already fair look mix old always fascinated possibility trip one canal film interesting otherwise narration like spending time boring year old uncle cool way travel canal look like provide unique comfortable way see especially great view well worth considering vacation possibility educational informative slick major instead get heart enjoying beauty often travel sometimes slow pace getting one place another enjoyment one way lovely take time smell canal touring lovely unique way touring combining history engineering botany art thanks little long watching something available ever go explore slow paced canal boat sweet film could made scenery delightful overview popular boating useful mix lightly spiced tourist along way whether interested boat touring great would like discover whole mode holiday travel never knew check enjoy well done peaceful trip beautiful countryside history well done production good change pace trip video broad overview interesting novice useful introduction fascinating country history great codex answer yes good documentary surrounding valley good overview main far holy religious significance title providing historical context documentary go great depth provide good historical reference would recommend documentary anyone would interested religious aspect valley religious reference material exotic however travelogue considered wish would listed botanic would like know seeing nice bit good introduction main people like go visit good introduction us live within canal fish quite often summer nice view hear commentary perspective documentary canal town along course seeing country even though video maybe future able travel see beauty person edition photography good first northern skies different narrator used good better first background music little corny times overall well done beautiful narration clear informative enjoyable watch would highly recommend especially love see countryside without hassle actual travel would watch enjoy show immensely get see work root case real streets mean leave warmth home behind work case completion long hard read end episode may go awhile may even walk free democracy innocent proven guilty court law brave men fight good fight every day enjoy show straight true see meet past compassion dignity greeting still live resilience city life shift hope may encourage watch fine show good police work well good attention detail good mystery like kind reality show like real always get quickly good lots foot work fancy high tech stuff seen care people come contact really good catching like true crime try program folk murder someone know man found dead house like main suspect nephew nephew record stealing deceased car twice decedent told brother would change order keep nephew like police find blood bathroom sink proof murderer cut trying bandage nephew cheek plus nephew record trying use uncle debit card think detective cutie favorite turns married chick baby son complexion older maybe married second time may hate episode suspense however show waste good following false love hate lie teeth killer lot going pawn uncle stereo equipment spend money chicken supposedly innocent word day killing one uncle like part solve great show like type like reality cop thought best one bunch might something fact group homicide one best country shift male whatever show really disappointed stopped series end often say suspect later great investigative story honest something put bedroom going sleep interesting enough enjoy listening bland enough kept awake mean know great series amount depth history give great however always make seem person behind president become president doubt greatness lot talking childhood surprising personal dont normally read hear rather odd recent series kept right pace without one particular area history long gave exact right time right history appreciate historical work lot information politics culture presidential campaign saw difficult president important make right decision right moment good information educational fun watch worth time view mostly unbiased learned new especially presidency thank lot information leadership know would give except series praise think anti constitutional enough depth love bios want know still enjoy series see much harry disappointed included went great refresher remarkable important role history overall documentary quite interesting educational however sure homework prior watching quite accurate also occasional may agreeable everyone large worth view well done good lead still recommend mature mature audience comprehensive thought provoking best likely check experience also learned lot relationship domineering mother well interesting relationship later fascinating emissary wife especially learning lesser would good documentary rise presidency time office note part story first part abruptly initially thought feed froze got split found series rare look back really many famous unlike today much told back press entirely nice put human face lead us tragedy triumph definitely worth look time episode nicely done even though knew lot president found material fact found riveting disappointed depiction could balanced account relationship influence era seeing first episode teen known much personal life marital guess human become history buff last watch lot must say great job area educational interesting seem lean much left right politically item gift yet cellophane torn open used item set new looking quick way gain background recommend start finish past knowledge oftens thought knew malleable found sympathy little new appreciation powerful men law sent ground nam week experience fun interesting educational engaging show made want learn insight us politics leadership history biography enjoyable hour less commercial free well non potentially habit forming watched informative learned worth time interest presidential history wish write anything review often usually time part feel anything experience authentic well well series exactly history always worst subject school ago today love anything historical video form series wonderful job history human watched two part episode franklin almost never give anything consider best grade well done guess become accustomed episode one hour long seem like dense information long time sit documentary said really good grasp information president time finished series taking get allow enough time episode would say much worth watching since apparently slept th grade social great reminder world like back cure bleary nostalgia going back mythical time yore series especially way covered president would recommend anyone political history merited four objective study man obviously job though universally film spend time fiercely quarters gave country spirit optimism physical handicap buoyant grin jauntiness lesson small define perception well done nice series behind decision good covering number also correct common wanting could done would consider rated interesting series would watch probably watching series even agree every word four let clear lifelong democrat vote valuable smart guy enormous influence entire direction country ways yet recover great still watched carter found watch good informative part one best watched main negative thought bit hatchet job found negative way presidency definitely worth watching overall though documentary good well interesting learning life presidency one like experience segment watched covered filled pertinent family history learning foreign history ago certainly gauge country today many made clearly affected today amazing watched whole video read lot history learned quite bit knew video great job pretty well done documentary primary still alive really major gripe particularly latter series amount political slant pro democrat fairly criticism republican covered seldom anyone outside president inner circle except republican bash fest documentary big leftist love fest great society critical commentary documentary would went production bit balanced watched keep watching story well told still depth presidency power man polio kept trying walk day polio would mostly common ten spirit days depression leader slow eventually informative entertaining series probably produced help many distinguished much political personal stuff yes went interested series extremely interesting informative spent last three free prime series today pause part attend business returned tricky dick series longer available prime feel disappointed republican voter circa calling post portrayal shallow little said personal life superficial treatment interaction congress short policy mention key staff excellent direct point detailed childhood taking office would nice series continued presidency forget much past cover rose colored glasses watching one good bad also quite comprehensive one likely learn new help understand country history great insight made men tick already known illuminated little known series lots interesting information enjoyable format seen president context surrounding clearly like historical documentary enjoy one president atomic bomb series give responsible clear view times enjoy seeing us history watching order understand mood behind segment history many actual historical video footage along informative enjoyable watch learn thought program done excellent taste respect show featured however would like see program continue entire list order presidency left wanting see tour individual set historical context useful understanding history shaped strong responsibility leading nation informative documentary great learning experience young old highly recommend student learning tool especially school history story informative interesting born n always name learned childhood love affair history one would love series great learn know super prime say simply amazed number people documentary produced actual essentially play play history documentary actually quite good interest like point basis argument torah exile written exile multiple bit record torah prior exile writing differ dramatically section section typically way expert wrote related law written author direct god written another way book least different written torah tomb buried valley land opposite beth one place burial day wording author living death directly book written dealing life wherefore said book lord red sea research great awesome documentary narrator made believable good information verify good series saga good informative series good whole family like history looking lot better reading thought knew lot history added knowledge arresting way seeing bought pass life found interesting although tend agree review piece must one thing documentary human ever see god eve still worth educational informative learned never knew great history people truly watching documentary good text listen really watch could follow audio found information given knowledgeable video good learned great deal presentation think great introduction history people would like see series like treating early times archaeological research really film reading think disclaimer prior read intended mature psychological center gravity fear based egocentric much important right strongly emotionally religious ideology experience fury identification one clearly expressed beyond ethnocentrism likely enjoy episode laid open minded foundation one way interpret definitely seem bring light human psyche ways transcend us suffer us feel trapped perceptual become perceptual pattern create boundary us like play ideology better game see today middle east mentality find benefit film feed psychological neediness need right top feel safe good care world true real phase enjoy factually historically great documentary however music loud background made difficult completely follow interesting documentary learned lot customs learn often worst enemy fighting among one distraction keep showing many times series world way huge level understanding context lifetime interesting informative learned lot history narrative new testament knew like little bit great laid historical order found history little apologetic like really believe divine kind annoying real gift occupation constant led especially fascinated explanation left thinking tragic extreme power hungry version adopted rather history would completely different period history never covered school unless take specific seminar real shame ignorance portion history led much strife thought show great suppose liberal bent authorship scripture actually written well done well good reminder closely related major western middle eastern one wonder seem get along better non like good refresher course interesting found program high quality historically accurate love history enjoy series immensely would better longer thirty four bit quick camera work outstanding learned cold place world well worth watching film worth watching especially cruise antarctica film lot good quality monologue included video see monologue hilarious would give also singing think buy episode would include whole episode song promotion code might work worth account count know although night live guess episode worth episode host funny nice see adult comedy watched found useful thinking becoming real estate investor material keep mind start real estate different property take consideration even get found explanation take consideration looking informative still need read lot research acquire working knowledge help successful quick honest testimonial people respective experience would recommend beginner reis good take want business art step step process get mentor pray creative like allot information everybody trying join business take looking may give insight really really like video love music think really really like video even sit awhile really sink view another another another plain lovely love show world tell two old child stage presence going like going reserved older son think two old baby going interested pageant plain fun see people go purchase wedding dress love randy say ye haw call good fun time group th much little predictable safe school setting always interesting slant able sergeant together whatever sinister countryside always beautifully shot always entertaining easily surpass us detective fiction production cheek also wife often unwittingly connected area gossip occasional struggling actress daughter cully manage place family backdrop work excellent show ex pat great real provide gentle humour beautiful scenery home whole well thought engaging story little expensive perhaps generally well worth entertaining police procedural interesting small town favorite line show iced sombrero constable would recommend interesting character us laid back style scenery lovely typically acting usual high series extensive far pitfall much depravity point spoiling whole effect recommend series family enjoying library columbo miss new favorite think casting especially lead actor semi dry sense humor edge seat suspense laughing loud one unpredictable one young troy loving relationship wife daughter provide warm secure background grizzly always end sleuth tenacity extraordinary perception human one star short subject matter one favorite mystery series clever entertaining witty beautifully main interesting intriguing well thought highly enjoyable experience really watching series free part prime membership suddenly discovered without warning favorite longer free sale exorbitant price per episode extremely disappointed change lack notice status product despite fast loose prime membership still willing slowly continue add certain individual collection subsequently discover watch free neither could buy individual even outrageously exorbitant price per episode purchase entire season unwanted alike order view previously free pondering injustice maneuver insult injury find certain series longer available purchase altogether fie terrible abuse loyal first try gouge something free attempt coerce series want watch completely arbitrarily remove previously item without notice explanation shame deceitful faithless keep manner long time customer time sold aggrieved need rectify situation immediately see recur sometimes mood something series fit bill perfectly however price gone free prime going renew prime could given watch warning would watching sooner long quirky mystery show top bucolic setting available free prime membership watch order instead randomly treat see young see much show cast want comment rest series plus series say long quality solid well central working well written time shot typical picturesque enough plot become repetitive well undefined dark undercurrent throughout number supporting make typical detective drama worth purchase watching show one month ago enjoy weird like contrast pleasant scenery grizzly know guess little unusual anyway looking forward watching entire season hard find good one love series disappointed available prime without large fee think going garner desired result many going pay find another favorite view instead many reason go prime watch episode found show longer prime per episode disappointing us yet watching begun later series good estimation watch inaugural series found series based caroline graham better later fare implausible silly often rely bizarre appeal idyllic quintessentially fictional county surprisingly high rate violent crime administrative center detective chief inspector partner detective sergeant troy based constantly country investigate gruesome defy tranquil surroundings series originally novelist caroline graham novel death hollow man famous wrote badger drift written blood wrote faithful unto death death disguise directed odd theme music fi horror written parker series later series simply personality troy young crude bit smart alec hapless shy later series fun troy tendency jump terrible driving neither man much regard law unfortunately chronic stereotypical meat potatoes man quaint middle class home homemaker wife jane husband busy schedule little caustic later series meant come across traditional fair laura actress grown daughter cully much appealing later series explanation saccharine precious series terrible may real mystery barry competent sensible pathologist another recurring character four might high rating series daft series favorably later series distinction un written later series rather built upon badger drift elderly upon hanky found dead broken neck home later day made call local help line foul play iris rainbird perfect view home goes wood great advantage undertaker son cant lucrative business two prior woman trace shot death accidentally bird shoot widower henry glover remarry young ward miss phone might related worthy writer circle best selling author shrapnel speak meeting written blood unbeknownst group one man past amy make sure never left alone succeed housekeeper bludgeoned death next morning first mystery identity second apart would motive kill laura owner local antique shop unrequited love amy domineering sister law anna discovered something old tabloid woman deep religious little social contact gray found bludgeoned death river death hollow man meanwhile jane production put local drama group none get along least delusional director whose long ago success given insufferable sense entitlement lead caustic businessman provost whose new young wife kitty also cast bitterly jealous ex wife actor stage gruesome manner troy must wade romantic discordant cast crew faithful unto death argument friend gray mark several community project restore local mill organized alan roger business partner project defunct trying recover money wife troy keep eye home reg chapman crooked accountant behind mill felicity investor whose daughter consuming crush mystery biggest obstacle justice man new age commune lodge golden death disguise one young wainwright may accident roof nearly may cuttle woman past life food taster cryptic conversation commune master feast take daughter anna bolt wealthy caustic businessman guy also commune providing monetary motive murder convinced foul play another death among collection middle season sudden available prime instant video going really enjoying watching revisit real treat crime drama series based caroline graham mostly rural chief inspector c earth detective many remarkable amid people middle include wife jane daughter cully laura entertainment success idea evil seemingly tranquil encounter like afternoon vicarage chemistry always joy watch clearly close often collide different approach police work correlation gruesome comic clearly wife stand experimental cooking series murder built one favorite mystery series much different grow like many disappointed product longer part prime listed price outrageous buy entire excellent series less one episode really enjoying want look forget prime rating watched vampire werewolf tell way series phenomenal huge horror genre addict thought nothing would new exciting mean scarily watched literally squirming seat camera superbly done would recommend anyone werewolf vampire genre watch least one watching entire series enjoy show never watched particular series content great raw footage left wondering actually real hiccup footage found turn volume bit warm cup cocoa afternoon made superb older love watch find acting top find scary enjoy watching show animal planet somewhat done blair witch style kind legend creature shown hopefully continue making show interested cryptology find show interesting season found worth investment season found worth well move quickly cast entertaining fun show normally even watch regret watching think cool watch never know true loosely based watched watched scary type would give enough excitement keep everyone enthusiastic glued story line competition great missing love relationship drama entertaining think could done lot better casting like location always put drama love love host else would expect real world road challenge except drama great show hilarious plot many times comedy tried put family adult show brought level college humor wholesome yet unrefined lot starring thing work better person usually works better tried likely something show fun crack ridiculously cool irresistible brad pit one nothing protagonist animal one even close awesome yet loser know intentionally top show lonely people live cool life vicariously still live home mother either way cracked romantic interest perfect girl super hot care problem eating pizza video place going potty mouth top head one like exist either brilliant satire bad writing funny hell also since ridiculously hot insanely awesome made twisted since soul mate romantic perfect people find even counting ridiculously non show truth would much home spike show great comedy although get pretty funny last episode two wondering made six would done stupid fun easy watch turned brain like supposed ultimately show never would sure anyone could successful comedy protagonist never anything witty clever interesting never anything sure fact apparently frat boy never grew every woman ass ever met slept girl would girl ever met turned probably gain fact episode actually minute also made hard story substance made harder character development never really could given show almost entirely people one sided camera either way think anyone could actually suspend enough disbelief get behind show pretended happening obviously would nothing like real life well obvious would hard time getting absorbed concept know something show fun watch despite possibly show fun still like occasionally watch episode kill since episode think show misunderstood tried something new dont think everyone got considering price worth spin people read negative didnt give try people got idea great buy relive series time dumb little show place first person though protagonist angle works times show best one even later find since pretty much way going able watch worth afternoon binge enjoy cheesy excitement second season really enjoying science fiction fantasy craving often torchwood good second entertaining capture attention well season story first season added new going fee tapping great producer mode drawback effects involve complete green screen seem much perceptible recently fun story told series sanctuary getting better little slow first three cabal although saved three five first two great chemistry introduction bit crap opinion character single minded appealing stuff year work spelt right tapping amazing chemistry beginning year well episode fantastic personally though think many tapping robin dunne worked first series sanctuary taking away improve mostly finding balance giving correct amount time however series three maybe find easier maybe see five well sanctuary second season bring unique fi green screen could fault anything would second season abnormal engaging plot would information attention payed various abrupt ending guess choice get next season season sanctuary may leave nostalgic first season many throughout even downright depressing balanced good light taken seriously overall season lot offer better season first even though maybe less satisfying first season recommend fan science fiction definitely sanctuary want continue following story even fan like season scene last episode whole thing going go much written thought first season much better one really character quite disappointed wrote much would want like character big fan smart ass mouthy type way quickly left ho come always tapping still greatly miss wonderful favorite wraith aside really wraith bad somehow might show universe sorely disappointed luck anyhow thought cabal could morph season go entirely new direction seen season far potential still wish would get back made show great opinion beginning cabal somehow back wherever went anything possible know still really like sanctuary really looking forward new ordered sanctuary season two present time great shape friend show season two great different fi fantasy concept good worked hard make believe fantasy fun fi fix season favorite fun watch enjoyable show lots adventure great come future long second season sanctuary disappointed wrap story line cabal left wondering wrote series development character nice good addition wrap cabal season found voice much better hope jack ripper character eagerly await season follow season like imagination comes range part show looking season first season second season starting good fi series little bewildered unfolding plot season one hope next season gather surely last really show still fun see heading times obvious destruction cast die change felt rushed fully overall good worth entertainment still fun watch first season get season also really enjoy watching druid every episode character riveting fine job holding interest finished watching season ray much better picture regular one major complaint rest good complaint something floating free went new design top slide semicircle bottom top disc bottom rest indentation design lie top stupid idea design even works going protect getting stupid update gotten replacement set due bad sound final episode frankly episode someone forgot set like sound old stereo ago one difference music sound effects still coming center speaker dialogue dialogue coming right front speaker little coming left front know make sound fine final episode disc like sent problem people tell great want cable saw show buy could find went find show want buy company timely manner get season three recommend company reasonable fast wont find kali season three get watch watch one episode know going watched whole season hook threw end good put get watch season excuse season watch watched three one different season one action drama series enough throughout episode stop watching season nothing still enduring season like add whatever next season since interesting end left us hanging recommendation watch season good many different reason none less showcase fun anime worth watching bad thing add lack left us look take season never continued enjoy got expect world like exaggeration shock value year anyway well good movie go intense wow healthy amount violence ready convinced movie accurate portrayal culture would many say really happy born u make statement someone flag waver country right wrong fat spoiled mart shopping recommend movie said good promotional video sure great ride video thoroughly even though enjoy ride interesting look unknown really adventure documentary feel like documentary globe series generally enjoyable appreciate trying pack entire journey short film feel like missing lot good stuff around world country country inspiring go day make good adventure bike great country seen must watch wonder next perspective see logistical rider know like ride great see various traveled especially came driving video great san drawback older video still great video watch want visit san found video accident finished watching german film north face one watch afterwards one found interesting informative especially light china cultural campaign wipe tibet presentation overview beauty magnitude animal migration wide variety species featured land sea importance migration nature briefly beautiful soothing music insightful narration make movie worthy repeat fitness cover model rusty joiner personal workout brief helpful video produced icon men buyer searching posing product serious information condition body losing summer muscle winter fat inspiration package insert complete good chiseled body rusty works personal routine exercise routine create dynamic physique exactly muscle group workout pretty much joiner born raised currently living accomplished gymnast gymnastics coach cheerleader coach fitness modeling career jockey life fitch also structure underwear man year rusty cover fitness well numerous fitness fitness rusty cover see circulation increase significantly get pro harp medical view crisis real goods ever really think system video watch great job documentary based book among several medical explain billed may already known interesting sad great overview southern little plenty fun sun beautiful wind start yelling four outrage transfer let say transfer movie also never seen movie good transfer way knowing would look like good transfer sort fuzzy grainy misty look actually worked well movie like looking dark lens distant real past thought clearer picture might actually ruin feeling diminish atmosphere ever get see good transfer get evaluate conclusion mean time think actual movie thought surprisingly good never either seen new watched thought name hilarious thought movie would bad good type thing actually really quite creepy full misty dreamy nightmarish atmosphere brooding menacing epic medieval quality really perfect gem sitting fire cold blustery night nothing candle room wind howling outside much obviously beastie nothing documentary music either however huge fan documentary us another well done perspective moreover great hurricane two mike accept documentary unofficial angle early beastie best documentary seen tube good comedy entertainment without color use foul language pleasure watch never seen movie getting war time education study buddy little sappy predictable good see psychology professor blend young people film promising theme heroine multiple pay magnetic pickup coil make telephone reel reel tape recorder much telephone operator hard learn craft job telephone company blessed pleasant telephone voice job interest ever getting married besides working directory assistance operator love along roommate goes though several men eventually marrying one first husband good true sure enough ultimately leaves sail around world old flair upholstery given clue unfortunately much telephone operating featured movie left hungry spaghetti oil garlic fresh basil still rather fun worth watching must per definitely typical murder troy see worst small village life people eventually explode episode contrast belief small village life idyllic background greed sex exist close watch beginning pleasant character development episode sergeant troy one dimensional side kick new episode always murder pile episode especially gruesome solution one suspect end twist kept interesting definitely recommend visit think want return grew would stay late sleep watch like best thy eye thee pluck information movie completely wrong episode television series based ancient novel water margin aka marsh aka reality typical film probably likely set dynasty seem single title shot water margin sure film actually fan shaw golden harvest chop socky bad dubbing fun entertaining film looking television series disappointed second time company history dome new japan pro wrestling global impact presentation different previous event shown television much company ring noted commentary done mike west heel turn eventually main event still together time also noted also see match press conference backstage one hour special commercial w g p junior heavyweight tag team limit motor city machine various double team limit able regain advantage due resort double teaming match past paced intense point somehow bleeding nose one best describe blink angle nash giant made honorary main event night also pointed west nash apart back angle pretty quick six man tag match everyone getting eventual finish thing stood nash giant showdown start match w g p tag team violent toru team rematch previous year normal tag match trading momentum along somehow getting busted open get involved match trash lid chain major weapon used course table put one later top rope another one intense tag match still good match bigger highlight team taking another step towards history side note like wrestling trivia want point constantly put throughout press conference commentary team point never lost match japan false statement lost tag team rob van dam japan said one hour special without television take consideration watching end tag six man tag much look involved cost less fast food days ring wrestling check fi like one story special effects action disappoint give go road ruin must day although hardly unheard happen openly every day film good example type morality tale produced time tell made shoestring budget example interior obviously painted real acting like davenport sometimes comparatively stilted nevertheless plot interest even though knew probably going film historic value something produced teach decent behavior show happen someone pure wrong crowd start film meet ann foster friend eve day leaving high school school day long ann tommy glen invitation let fast crowd take home naturally one thing another eve ann smoke drink try tobacco ann also romantically involved tommy ann ambivalent say least course get worse ann yet tell everything watch film experience suffice say ann involved much older man page ralph unbeknownst ann around many young score belt meanwhile racy almost nude swim party ann eve whole gang trouble police rest film ann everything look also true boardman pretty good job ann mother tucker ann father rather well quirk jimmy nice cameo singer overall best film ever seen excellent example kind film produced time teach morality tales good people like ann go wrong crowd pay terrible price recommend genre film anyone foster day glen page forgotten want film fun nothing else opportunity look back see much culture dont expect much enjoy based good series writer jane father apparently police officer wrote series mind written series exclude one learning notably film many good royal air force aircraft well coast guard beautiful scenery barnyard though bit like detective often respectful lack imagination bright would get edge trouble cool scene helicopter rescue like actual got go winch feel yet decent show watched lunch video could taken truth material goes video similar college seminar given classroom setting style presentation somewhat different video however value able witness presentation video two information well convincing case view watched season live since main character left grace grey anatomy lived la admit first season private practice amazing following large grey anatomy however good enough stand second season really explore much medical sort make good somewhat shallow hard watch sometimes since understand however season us much character history actually whole case everyone everyone shining moment story pretty well written opinion much better previous two especially season two opinion strong show times wished still loyal fan watcher creator executive producer grey anatomy writer princess royal engagement spin grey anatomy titled private practice based life walsh part private practice season one nine received reception second season much exciting season sure enough crew able take series different time around premise series left grace hospital work private practice oceanside wellness center first season win respect fellow first season second season oceanside wellness center exactly best center major financial new rival practice trying steal relationship drama cross grey anatomy cap dark twisted season finale probably third season private practice personal taking notch know promiscuity comes father deal season complication also decide pete sam also put interesting situation move another center friendship also business personal men works tested mother growing violet pete must take many violet major attack sure life attack give baby making pete single father cooper relationship tested volatile couple also love difficult time showing third season deal personal emotional discovery heartbreak tragedy video private practice complete third season enhanced whereas grey anatomy indoors inside hospital private practice slick look indoor well lit outdoor quite vibrant notice grain series even low light see bit noise drama series television series average picture quality audio audio private practice complete third season digital surround sound possibly final episode episode blow series primarily dialogue driven pretty much front center channel driven show special private practice complete third season following special disc top walsh top favorite season show television crew private practice season private practice complete third season comes slipcase cover judgment call oh private practice grey anatomy series good done improve grey anatomy private practice last season done last year private practice going average season picked towards season finale came nowhere series put never one thing violet deal violent attack leaving baby behind got see would develop violet pete cooper love triangle sam pete also see development relationship starting deteriorate see find love life instead becoming usual private practice sleeping character character deep given shine walsh fantastic job season absolutely hard part gave emotional performance amy also victim beginning season also return last third season great job thrusting never put emotional really cooper felt another positive season new like grey anatomy much stand sleeping guy guy pete sam woman woman time series new blood addition amelia shepherd fife good especially potential amelia shepherd would lead crossover grey anatomy always involve end season everyone multiple sixth season finale grey anatomy came shocking finale private practice course much tragedy something people want see every season finale necessary private practice pull season finale could best last year shocking finale successful hope continue solid writing fourth season overall private practice complete third season best season thus far special wish writing alone season major improvement fan series definitely give box set chance exciting cast king offering best performance however fatigue among show many downright depressing less slept many plot difficult believe example would doctor recommend procedure patient major risk dying would hospital administrator allow relative get patient room defiance judge order knowing relative unplug machine surgeon middle procedure decide stop patient die found patient cause accident surgeon daughter never knowledge oath cat watching season private practice prime account abruptly taken prime able watch would like grey anatomy back prime please soon go back forth love hate love sometimes predictable still enjoy enjoy show connected grey enjoyable another night soapy style show connect find good fluff show hate come flimsy cardboard apart fast show however great love private practice need adjust new group interaction extended light humor used even worst wait see series ordered show great movie old school fighting movie basic plot line pretty cool gritty aged well plot predictable standard later innocent man prove innocence police disinterested investigating crime since easier stick one suspect young beauty completely first comes believe aid quest love though discreet way couple era surprisingly snuck past several skin teeth comic relief sprinkled throughout overall enjoyable movie downside somewhat flaky video stream video audio volume little lower demonstration turn portion filled great information body assist spent time taking great learning experience touch body something could definitely watch follow along medicine good much better heal without master first simple ways use overcome head carpal tunnel stress may take longer see impact method better long run instead medicine great master slow little bit identify point body find otherwise would video audio quality previous finally resolved good show polish million dollar listing new york previous saw hot shot booming market however new recession horrible real estate market happen revealed engaging third season million dollar listing compelling watch point made economy keep slashing price property get interest even would still go lower sell think show successful get see josh chad excel sell real estate also get regular drama comes along reality v doggy custody relationship health come together nicely entertaining fan bravo reality like salon design show one season much first though fun watching grow seeing new project come amazing mind definitely worth documentary could gone bit topic still thought provoking piece great snow nothing really back first oddly enough thought funny season quite enjoy tosh think rough season one make fun especially crassness inflated ego version really funny tosh ever taken time sit watch worth go pretty funny nice good content older stuff still funny tosh interesting funny great host always enjoy show family disclaimer minus annoying host rating compilation best web offer tosh unique insight chance episode poor sap redeem folly good stuff nice see early show blossomed super popular comedy staple majority time think show hilarious tosh great job times make something kind uncomfortable funny still uncomfortable great show overall clip show think show stand seen almost tosh fun ate everybody everything although first season bit rough around get feel show headed suggest put political correctness shelf relax keep open mind get enough day love good funny would recommend anyone rude comedy guy surprisingly funny know humor found embarrassed watching room uniquely funny showing life stupid point view right money cannot help laugh made tosh famous edgy funny series getting season better gotten everything working season success inflated ego ruined show funny first one tosh see progression pretty good good stuff tosh great comedian get watching typical viral video show tosh humor sarcasm suck least comedy laughing funny clips linked together built upon tosh really funny fun guy stuff people fun people pretty impressive tosh front blue screen actually research people show embarrass good fun really season one still hilarious even though almost ten old luckily tosh people always dumb roll like tosh show disappoint would recommend show looking good laugh mind offensive humor guy mostly amazingly funny whatever shock value show great need quick winding end day need bit hilarious season one good show one sure better line sensitive ear younger tosh fun audience cringing laughing whole way good see original show quality streaming could due high definition tosh rather acquired taste show fast forward enjoy humor thank lie turn head times see humor childish still funny tosh humor sarcasm see dumb human us ridiculousness really funny funny guess personal taste satisfy everyone taste time funny show inappropriate let tosh scour goofy really like show look forward weekly new think th season first season watch look back kind funny see get example tosh keep watching th season watch need vacation also little care web people little first still good show watch start build seen think home clip pretty much like thinking kind afraid say funny clips comedy central show watch said adult show like crude humor like season one funny prank week favorite part season show took massive nose dive kept worst show best around tosh trying funny stand versus funny clips showing gross clips shock value season like watching day insurance seminar watching dog rabies slowly feel sorry know end better let die tosh little full times annoying overall people showing stupid always entertaining hilarious little momentum middle end strong senseless humor next generation show wrong many ways always little sensitive touchy may typical tosh sarcasm thrown best watched group funny show great small little redundant overall like show great couple enjoyable watch bag try break really say show original really funny season great still trying find format show sometimes gross immature find ridiculous pretty darn funny definitely good laugh two host awesome however show great feel satisfied feel like incomplete gave always one clip every phenomenally funny get hate open splash screen actual show comedy central top notch ability run station zero super funny let watch humor intended although find first really enjoy taboo type nature script low quality copy great lee performance color rate film full five love lee saw film originally came monster united reason let keep away wow interesting film true documentary learning initiation process becoming priestess film raw real ethnic student found film informational enlightening good complement unfortunately movie made terribly well music getting way regarding pentagram really fascinating though well worth watching also great movie friend movie read book excitingly anyone erotica prime discovered one favorite watch amazing see beautiful idyllic hide murderous first able watch removed prime perfect crime drama disappointed show longer prime rated series decided end series new still entertaining getting old think would better world older sesame street little little girl long banana stone well worth education toddler lifesaver long road glad able sesame street part daughter sesame street enjoy watching talking happening show learned several gave instead baby bear like baby third person great season full educational material much better show current season shown new entertainment less education year old use add use watch sesame street love grandson watching wish like awesome sense awesome granddaughter grew sesame street get also thanks show educational else say let watch time thanks great show great time lot house car really watching learning good teaching tool granddaughter watching sit kindle lap watch long enough keep interested baby absolutely sesame street sit entire show content thing give contentment great way entertain educate child cannot get sesame street well worth watching classic love grow grew anything better like season well entertaining original great learning sesame today needs go back past good loose interest new much cartoon much original like two love would definitely recommend young keep always switch cute fun kept along son interesting see show since watched child ago son really show one view best pet episode time love sesame street importantly daughter great love seem real relatable toddler show absolute favorite part show educational aspect wonderful watch daughter use teaching tool show wonderful us since pause replay like sesame street animation content show rather puppet apart say love mostly funny absolutely stand flying fairy school annoying feel hard toddler grasp going also educational sometimes fast forward broke fix even bottom line really hope change miss old sesame street moving yet get turned came handy son melt happy watch classic feel bad child watch plenty educational enough keep year old watched much sesame street thought pretty good kindle watched road trip spring break like older flying fairy school either daughter young boring keep attention sesame street still fun show three year old world great skip first half show get charming old sesame street new thematic approach problem seem bit much still cute old grandson sing world two great wish incorporate intentional lisp baby bear lesser extent said much worse could watching watched sesame street little back still enjoy day son glad something childhood share son recently turned one begun watch every days singing kept daughter happy well featured season see people still show several series found informative entertaining underwriting series git go built environment design engineering major cause ecosystem likely accelerated climate change brad excellent job narration line frank novel dune first step trap knowing existence goes step deal previous practice recognize ethics engineering design series accredited engineering design public health movie think diamond dust rebellion better typical bleach theme like supporting character movie major player usual determined self like bleach universe like movie good laugh us take seriously something good clue review complain must good movie cute seen think one oh love little squirrel happy say quite good sons love enjoy movie learn lot movie great family love one funny keeping great new perfection hope movie awesome watch give four half love effect good love movie watched till know heart great buy video well done good quality two husband wife different kept interesting focus local ground note said get time video film beautifully produced travel guide specifically designed helpful information beautiful scenery great watch whether plan travel movie plot us life important everything life us happy bought sale great tool high school teaching poe raven although humorous rather ominous easy see going poem fun way hear classic poem used supplement classroom watching along like product thing would like able computer burn onto possible looking amusement without vulgarity excellent family show kept bunch elementary school quite slumber party equally amused even old still quite funny younger niece nephew get kick ten th star becoming classic nice collection enjoy watching nice variety would recommend bought spoof dangerous game love horror favorite decided show literature class due questionable material good episode anyway video short fun adaptation clause story really watching would like longer good message need learn learn lesson love trust loyalty taking responsibility make therapeutic effects laughter saw v first time like series eventually loose series end way real closure plot also one glaring issue plot would skinned look like normal physical attribute want look like human plot cloaked skin human blend humanity also want look human would never happen real world know said still stand dad used watch show little girl bought gift science fiction come earth two ways charging invade come peace invade quietly second kind main problem v complete first season remake series mysterious alien come earth nasty ulterior remake lost syndrome sleek complex story intriguing cast city sized alien twenty nine leader anna peace offer advanced technology better world cause massive social religious medical hunting terrorist cell agent across anti visitor resistance shocking discovery reptilian humanoid among us skeptical priest father jack begin forming little resistance cell along v morris chestnut trying reactivate alien rebellion known fifth column time news anchor chad decker wolf media ambassador v caught ambition growing resistance anna cruel nature deal gullible son become peace ambassador v falling love anna daughter laura pregnant hybrid baby one number v brutally tortured even anna terrifying new wipe fifth column existence v complete first season different version sweeping story political commentary manipulation gratitude morph worship worse devotion problem season lost syndrome times like plot moving slowly writing good full suspense amazing plot see anna fifth column painstakingly along strong dialogue human decency privilege father lost prove lying lose powerful emotional fifth column doctor forced murder friend yeah creepy stuff shocking first glimpse v face much rodent eating though story around two strong powerful wiry presence plenty hidden sorrow strength wonderfully creepy ruthless cunning anna chestnut simply brilliant good hearted v freedom human lover also excellent priest torn priestly duty need stop v problem make anything whiny little pain like token love interest freshman v complete first season promising start one fi network powerful acting solid nicely creepy v series incredible pilot mixture sometimes good sometimes mediocre end one best season ever seen v mostly quite enjoyable fi though say good firefly two share fair number v v short first noticeably visual effects seem quite good pilot start seeing mothership seem real flat lighting far little shadow whole lot style even design wish v budget either better bit real feel weak really hurt series significantly besides mediocre effects v quite good story well interesting well notable exception biggest problem show scale group four five people fighting alien invasion like chance mean need heck lot people really going accomplish anything scale resistance aside v interesting show keep wanting watch especially excellently done season finale certainly v overall good show lot promise looking forward season scope show first season v almost like pilot something much bigger gotten hint going get see following say v favorite show moment look forward eagerly continuation hope achieve excellence fringe second season imagine earth dying decide leave earth search another habitable planet discover planet similar earth primitive top food chain awe technology earth temptation utilize admiration colonize world irresistible discover earth instead race planet misuse abuse thus arrival told morally conscious intention rob world enslave organize help radical rid good remake original series lot action storytelling original great original ran star trek star star gate battle star galactic next list v perhaps watch watch watched series ran happy ending continue another season also watch caption turned mumble know saying plus times talk fast least option stop movie back replay watch cut volume low graphics real corny talking teeth also think clean loose story lot unanswered great actor evil character also good series like series extremely interesting would recommend anyone suspenseful story first watched series v young remember really movie watching new make version v although movie science fiction us world run look nice beautiful address peace show people earth peace providing medical service providing advanced technology real purpose dominate world oppress anyone try find true identity oppose enjoy movie see movie trying tell however say every film except godfather series good special effects great first season remember get great especially get low price entire season problem two small front stuff always bad enough send back replacement think enjoy remake season two also available lot higher price also come seen second season tell worth make decision however expect receive usual great customer service always star group real plus fi fan case quite often would like much original opinion advanced special effects version original beat show humble opinion money first season interesting wife like seen television wife never seen knew like fi watched entire first season three days good beginning show intriguing obvious least spoil reason lower rating never saw original series series even think born first knew story forward version better acting reason first four last fall march continue season way lose whole cast pretty good annoying son whose sole purpose get lost firefly sporting short haircut pull laura lead attractive cast kick butt look good leader lizard anna far standout opinion combination way perfect match alien making use follow every word moment getting fleshed passing week also getting piece piece look look like fake human skin read probably get rid v watch v much better show least another season love v like show comes right lost fun watch keep coming first season fresh interesting concept going get lost space second season mind getting good entertainment least mind second season sit chair stupefied right stunning devious remake alien film bought year year see strut stuff first one came one really awesome good interesting politics guessing good brother big fan got brother birthday glad got time first season handful strong intriguing premise though get feeling momentum long term lot cat mouse get old binge watch well made thing missing wow factor making memorable love fi looking something follow definitely recommend watch may two watched every single episode broadcast disappointed fan series series homage fresh sorry two highly entertaining television show believe pleasing plot good story like first contact stuff good show entertaining season last night watched back back fair amount cheese show get story join th column give shot creepy enjoying immensely watching series problem whatsoever x excelente e de em show v provided entertainment could also surprisingly thought provoking remake tale lizard queen anna take earth well made suspenseful terrific acting v durability concept film potent commentary society ray v complete first season extremely good detail sharp throughout skin look good particularly close although little much occasionally evidence probably due large amount evidence visual effects throughout show show impressive want know plot show may want series spoiled may want read last paragraph include cleverly detached commentary track th episode penultimate episode season one fruition executive included breaking story actor journey alien human skin make effects visual effects v us behind done zoic also booklet brief synopsis episode well episode two six per disc special first arrive make quite splash impressive hovering major world anna firefly leader peace prosperity share superior technology one really want deal take great look like us reality biped also arrive sent sleeper spy humanity prior arrival prepare v invasion trust sneaky dangerous agent lost e r lot fifth column resistance group fighting undercover include visitor morris chestnut people love distrust anna father jack hire killer kyle anna help selling agenda public via chad decker wolf career however possible end first season v series far weigh reviving popular cult series past tricky proposition v pull style great series full fire instructor entertaining men pass time scrutiny praise winnow man character crush wartime concentration camp eric character came forth like choice oil olive press great celebrate goodness man quiet integrity carried glory purgatory expect fire cinematography real real people really knew man behind story action well paced story fairly well character development absent expect focus genre huge fan historical novel romance three since teenage days happy finally see big budget version one famous tales book battle red cliff woo movie brief period allied sun quan stop southern advance conquest jing one first movie way much material glossed quickly within first viewer absorb great amount information regarding prime minister nonetheless movie going goes well healthy dose dueling liang nice turn woo goes beaten path suggesting large amount mutual respect camaraderie two famous addition relationship also making humorous however ultimately hour version feel long end would less set explanation opinion nonetheless version vastly superior theatrical version quickly nothing lick sense average person assuredly aware panoply history three work unknown extra time least viewer catch pace though fine flick would recommend feel like hour long spectacle hard complain one last note small small part book around many page work would recommend reading book based solely movie sure would another fighting sound kung fu type movie found one entertaining slow would recommend enjoy epic conflict type action well produced pretty epic beautiful cinematography excellent special sound effects excellent fight choreography plot could better like epic war enjoy one excellent film like old beautiful scenery sober professional actuation really familiar romance three kingdom dynasty enjoy movie great woo flick lots action classic story line underdog big battle always try watching one saw international version got one also international version much better long mind battle popular china since brilliant going movie missing finally lost battle due tea really though visual quality great initially found hard follow fit good story line epic fight maybe twice think bit unrealistic jolly good film love although went little fast wind couple time worth watch like historical action one impressive entertaining epic film entertaining revealing watching seeing u release epic film saw first three cut see international version per usual u foreign cut likely character development non combat wrong surprisingly action disappointing enjoy artistic scenery emotional effectiveness give idea one house flying daggers usually play action violence cutting patient artistic side case though think international version u version extended action particularly battlefield style fire get rather repetitive behind documentary understand china much exposure high production quality extraordinary action set intent give sensory overload worked red cliff titanic review personal impression actually think contrary u version piece cinematic butchery many make international version simply action giving blood might expect extended like part scene great emotional emphasis effectiveness far tell extended would say value artistry cinema intense action get plenty go u edition film overall better balance movie step time sometimes think subtitle good one woo great director two tell singular tale two smaller uniting battle corrupt prime minister rule china basically director woo version peter lord trilogy minus fantasy set third century china brilliant tactician advisor clad white highly touch nature reluctant ruler must find warrior spirit three seemingly invincible warrior royal maiden fierce singular love story main protagonist wife fan would recognize although style apart focus much strategy timing battle long well shot never quite become tedious wire fu used sparsely brief dramatic emphasis never focus fight scene red cliff near perfect epic battle lack character drama gladiator weak notably naval part bit open ended despite however historically inaccurate may woo nevertheless serve worth well paced engaging cinema thought good movie wish took three watch mind reading really great war strategy movie decent choreography acting lot fighting like history read book battle red cliff anxious see movie rendition woo superb job transferring monumental story film acting excellent also acting problem many film downside dialogue rely movie great learned something history culture era know tendency produce defective unfortunately got two succession disc first time around disc second shipment issue resolved receipt third shipment really movie clarity color depth sound really nice movie expectation high history battle general see control action originally copy disc play turns disc issue player issue p player disc beautifully reference quality disc great story woo interview disc two point film simple war nobody epic like full life one feeling non viewer lot film reference original tales still taught watching aware getting way audience might miss troy example like historical military film continuously inventive surprising great beautifully together seen us version nearly five original two change doubt would impact full film recently watched two days fourth time found absorbing fascinating first time lots action sub much good acting cast maybe lot computer graphics saw u release theater mostly empty unfortunately red cliff possible historical window understanding china thought might challenge sit nonetheless china long history maybe long movie well went effortlessly story slowly deliberately one needs attentive reappear new significance later movie satisfying experience learned seen truncated version boy got mad full roughly hour version reach plot mostly action believe sat whole thing red cliff course history action end reflection universal honor sacrifice love gender family individual level grand abstract level feeling want action history experience shorter version suffice noted however longer version space experience movie definitely woo epic film date grandiose film plenty drama action woo disappoint guy smart leave return hong shot direction stupid marketing mentality pretty much foreign talent try hand movie martial action incredulous would watch version saw international version review based one outstanding even though acting excellent writing problematic best suspect main problem radical departure history difficult integrate drama fiction history end movie felt direction plot become absurd time film crew obviously outstanding job first rate noted comparison go international version skip one saw seriously release enough without people going making new someone clearly know list opportunity try sell bit someone actually think extended extended cut original international version theatrical version misleading title ever seen actually us version run time official page party seller page like one reading currently used thing good theatrical version audio option get full length version beyond hate read nearly impossible enjoy film heavy fast dialogue instead watching action scenery stuck lower screen suck woo knowing people hate refusing give us full length dub track option reason buy either version going buy theatrical way way way much cut international full length version release dub track thus another reason glad thanks nothing woo story interesting well done prepared read miss typically watch kind war one really attention even theatrical version good time difficult read grew tiresome first time enjoying experience foreign movie said movie still stood ready international version good story fabulous great afternoon nap movie war genre pretty cool movie lot action good fight sometimes hard follow great action even read sub bother really good acting look like one good movie kept interest even last samurai feel great movie good action bit like comic book second part scene good nonetheless movie great strategy would recommend watch especially enjoy war love story fighting one get wife watch one action love story disappointed purchase original may long full action beginning end sub movie done beautifully dramatic big scope would recommend red cliff great cinematography interesting story along good pace good suspense fun film watch film watch number times come enjoy v hesitant continue watching soon movie glad continued language pull movie felt like watching whole thing go exceptional great acting special effects story line easy follow recommend movie anyone war appreciate culture different western culture woo ambitious crowded interpretation large scale military plagued china end han dynasty epic sweeping scale might film strength often preoccupied following encyclopedically long winded appreciate much would even long hundred thirty plot breathless anxious back story character moment closed door strategic debate breakneck pace much story tell none dispensable woo even two lengthy motion seem like enough space contain execution behind red cliff sublime fight much boil dynasty style plan send one man wipe infantry flashy memorable found value thoughtful calm collected diplomatic envoy liang carefully considered strategic profound moving like delicate flower growing amidst spent battlefield though one sided nature enemy master vaguely evil simple come still leaves us perfect setup presume mother epic scale deep often verbose needs however difficult follow long movie sub story line historical fact fiction interesting excellent times caption went fast read left wondering going back much better concerned proper chronological perspective first foremost writing traditional huge movie buff although enjoy foreign critical minor take account acting excellent excellent well done real downfall movie mind much war fighting found saying fighting walking kitchen soda concern missing plot kept telling would great movie play video traditionally longer operatic style movie enjoy found behind interesting history behind story current schooling obtain learn history giving appeal select audience compelling tale war powerful performance make arduous dubbing often might improvement excellent movie entertaining interesting watch historical perspective acting believable artistic especially beautiful scenery realism landscape message film something older read well perceive discuss film movie entirely sub titled ability read conversational text important lot violence bloodshed film prepared movie interesting although enjoy lot marshal prefer kung fu old best movie great buy many disk movie regrettably disk somewhat spoiled experience getting movie epic fun best part watching smaller army gain upper hand visual effects orphange also cool woo biggest budget epic yet produced china red cliff chi monumentally grand film distilling novel history romance three recreate famous battle ad north china lead evil prime minister han dynasty south china gentle wise historic battle took place land especially water huge north traveled river pass red chi southern came ultimate confrontation story told voice cast highly tony among interpersonal well real thrill film choreography battle cinematography li l splendid china landscape beautiful yip complex apparently authentic rendering period disappointment musical score tar western fully enhance visual epic greater film seem fly apparently condensation china woo manage spectacle also importance human prepare viewer explosive harp sub title move easy follow lots action good lesson history warfare would recommend movie really movie thing issue sub really like even sub would give high visually battle breath taking story line also excellent guessing end woo great job story watching even sub martial history want miss action fighting action fighting get point type worry wife coming sitting start jabber going lots action story fast never boring entertaining movie good bit gore action told make worth probably best ancient movie ever made suspect work want know ancient may like around ad film like spectacular epic enormous almost splendid marvelous colossal come easily mind thesaurus could add dozen despite enormous presence potential tony little done develop rather dimensional real depth emotion power script competent however nearly wrecking entire film sappy love affair emperor pretty wife found immensely unappealing annoying yeah plot point even could done without film brilliant feel director back regard order keep militaristic flow go immense interest back forth cunning military tactics equipment military tradition time like game chess living chess fascinating satisfying watch emotional payoff end scheme enormously clever good movie terrible mistake develop even draggy seen twice hold alright tony innocently effortlessly every scene watch magic see always curious film finally got around watching find based actual event history think enjoy happy watching film long meeting tony enjoying movie want mention specific knew movie coming end time took watch movie feel long like movie since based real event history found version taken movie total long still version got curious see whole movie uncut version quality movie perhaps good hero crouching tiger comes close content movie based history interesting aspect movie better hero crouching tiger looking good martial may like one suppose call good history movie watching movie awesome action great fighting story line screen play great cast well directed check watching super sleepy good idea got first disc great wait first disc move second watching sister really said would watched right like lot warrior always another language read fast identify like even though good movie take eye screen miss stuff lot entertaining art direction good like costume design probably watch movie true epic three tell version heavily cut film tell story half time opinion impossible epic like would recommend international version theatrical version get full experience plot unexpected difficult tell apart initially end hanging seat would given action great story line reading sub pain first got movie honestly even notice reading excellent movie epic movie would recommend watch early china war great military epic good nice branch fantastical wire fighting historic cultural focus ancient china art war still great fight choreography individual fight also strategy tactics scale great action adventure based real historical event action battle cheering plenty action full war particularly richness well romanticism good movie better good movie movie bit long interest fighting tactics amazing watch time good times hard read background light light nevertheless interesting entertaining movie love air overall story line good hungry general want take control region like actress actually review far woo genre signature written action sweeping cinematography development enjoy battle though times little better better could better impact wish interaction liang fleshed movie would made intriguing visual film epic probably c works rank epic film great significance cinematography unfortunately little short mark good plot great battle ever dynasty great game play watching movie well worth movie entire movie battle like fact battle may woman personal opinion movie battle sun art war image well element humour pleasant surprise acting star damage movie badly would recommend appreciate genre flick fan sweeping like one interesting action flick china bit predictable interesting see another culture historical event actual fight somewhat repetitive ending nice twist everything together film lot traditional well acting epic depend extensive slow motion although violent wonderful super human master far technical film shot well emotive score detailed battle tactics old school insight general early twenty super game system game romance three believe version strategy game part battle sub par could see throughout china basically game come life big screen may point view movie learning history china good long epic movie history lot action good one good art war style fighting watched ray sub still quite fascinating fast times often glued sub overall interesting story little boggy times overall keep going last hour quite entertaining likely much better understand still bad flick portion story romance three turned difficult read extremely vibrant story well one dimensionality book older style martial film lots wire choreography follow overall action quite well done think fan martial add collection simply appreciate culture well china built honor guan character story kung fu school absent statue scroll karate movie negative good quality cliff hanger surprise true meaning never give regardless odds love action plot really fun watch would watch action feel little today little floaty wirework minor complaint overall movie fun one watch really enjoyable watch house flying daggers crouching tiger hidden dragon think like red cliff captivating story watch visual well done watcher experience tremendous size military involved time story involved many stayed true form movie thought watching long sub titled movie might seem daunting however movie well mixed work well great action adventure movie good plot development descriptive war saw free version prime really good read longer version would much like see character story exposition good movie typical flick like epic bad either good made sense graphics like seen good movie overall good story intrigue scheming opposing sides battle depth scenery interesting plot good best armor weaponry know history seen battle short amazing great special effects involved gathering battle burning defeat two really great movie woo lot action beautiful scenery international version best real winner intense movie great mix action drama suspense really cool story loosely based true battle red cliff opposing war quite intense something like hero like southeast action certainly enjoy one watched cut cut bit different due familiar story say though release version cut character rather amazing although may reading background story actually watch havent story none less one woo best work sure hope see woo would make couple romance three would heaven anyways wished working movie well produced realistic would given movie role wife corny pretty irritating thought excellent movie really like fantasy one hit mark would recommend action movie obvious attention historical general look feel little slow middle think feel asleep couple part building suspense big battle end apparently miss much necessary story napped ending well done great battle amazing cinematography clever screenplay warfare beautiful n set minimal cheesy flying acrobatics awesome hand hand battle choreography another great movie tony love story line production high quality ray quality disappoint actually looking red cliff collector edition could find one disc version bad price havent watched red cliff must see best action war movie outstanding movie beginning end story line action reason give five read read translation story hock also much excited see movie made story even saw eligible prime could watch revue film well done actually experience completely faithful original story good job telling story keeping believe saying preferred version film battle red cliff battle spectacular every important scene concerning included shorter version cute extra material longer version concerning relationship sun quan sister good enemy soldier resolution totally predictable relationship book lady sun extended version annoyingly modern heroic theme song would sound appropriate star trek film used sparingly shorter version extended version also ridiculous scene half absent theatrical version watched read book feel extended version sometimes plot watch theatrical version read book romance three exciting movie war history lots action sometimes hard distinguish know fighting excellent film covering ancient china rich history especially time period concerning three politics military strategy tactics entail great movie nothing like ancient western history landscape unbelievable subtitle text bit small bit eyestrain great action fantastic movie almost short realism many ways typical epic movie like crouching tiger hidden dragon great fight great battle better vast vast majority substance despite definitely good helping fantasy would definitely given tried follow saving private model absolutely realistic possible sign truly great war movie think gravity battle accurately unless way favorite part always count war really focus theory strategy battle deny impressive look film lot action like magical kung martial stuff seriousness humble opinion story doubt based old production value first rate lots eye part problem woo much reflective elegant almost often confused hard follow martial incredible sword play mixed action strong moral story however arrogance power cannot always prevail prudence humility said woo could little subtle times voice seem really bad match period shown better watch film original use least get feel time better way hard tell apart quick action make even excessive use martial balance serious epic doubt china time sure many well history fantasy hard say certainly entertainment thought seen enough would shudder prospect watching full version please mercy excellently done woo disappoint top tender love ancient history describe movie love movie done basically battle two good martial movie like action especially martial would enjoy movie good watching shorter theatrical version many times certain dialogue shorter version made sense watching uncut edition longer version drew longer battle times drew overall story plot action humor sorry chose reiterate detailed review posted already good art war best pleasant surprise movie slow better longer version better movie contraction two one disappointed closely forward showing world history classes turned spoken even keep look imagery wish could find swap great cinematography great special effects great military strategy heroic lots dead people final scene hot great first normally would turn setting attention adjustment never felt like something reading acting four four war flick much surprise war flick enough keep attention mostly action battle tactics five four usually choose said movie good enough every way even mind looking film rich cultural history china kept finding fighting tops bamboo found justify screening classroom found one unbelievable fight tactics truly historical one beef totally unnecessary thankfully brief sex scene admit tastefully done central otherwise fantastic story history could come realistic version empress chow would heaven first time watched movie less thought movie learning like video watched like x one though perfect film historically accurate quite entertaining one thing though really last battle scene part tortoise formation scene long extremely cheesy pretty ridiculous scene scene confidently say terrible overall great movie knowing knowing director woo got start making martial hong big name thrilling us gunplay police successful modern war picture even tried hand anime left go back homeland make historical epic course two actually get wordplay joke way chi red cliff anything small extravagant bloated even filled spectacle grandeur cool woo yes educational based legendary battle chi saw beginning three period china classic television yes countless video red cliff fascinating period history woo remarkable job life action life grounding story exceptional large cast along plenty intrigue see something like good long theatrical release sadly single film barely length either original film seriously fellow film fan anything worse insulting assuming attention span gnat comes seeing foreign people going run screaming screen forced look couple two purpose incessant butchery cinema explain peter hour extended edition release make even longer woo two epic hour get single hour film kind garbage anyways rant thank god film two film edition review skip single film version buy real deal may said red cliff bloated may well true however whole magnificently compelling quite literally something everyone second fact would cut joke sweet sweet time time maximum character story development story classic tale ambitious would tyrant han dynasty leading name puppet emperor conquer southern china led young unaccomplished sun quan whipping boy respectively easy victory even two ally arrogantly inevitable failure loser coward indeed favor navy never seen invincible southern know river like han far outnumber put together fascinating exhilarating sequence intrigue unorthodox military classic sun conflict role play final battle chi love story way unique true classic arrow metaphor united front unbreakable part weak every hero heroine large part battle come whether headstrong tomboy princess sun sneaking infiltrate enemy camp tell hot apart men guan invincible spearmanship liang brilliant knack weather even mad tea making woo every legendary character count wonderful job shine turn red cliff must see action icing believe fine let talk action anchored seriously lengthy finale one hour get ahead red cliff rather impressive bloody battle note woo action expect realism fact know better swear forgot making romance three toying around making movie frankly one thing think could much better shown many often becomes side hell happening also huge fan unorthodox military tactics climax first film serious believability execution gave headache got drug long continuity whole thing little much believe saying woo movie better directed action hand tortoise symbolism used battle also hunting scene film even though woo tried ruin already obvious symbolism explaining least two different ways tiger stalking sun quan yeah got thanks woo actually symbolism ground lot may well background chanting united stand divided fall entire time subtlety many skilled hardly reason skip cinema epic nearly every aspect onto grand finale disappoint probably inner pyromaniac talking found final battle red cliff visually dramatic plain awesome flag play excessive already first movie man overall found final knock drag balanced tactical nightmare first major battle climax unarmed charging midst cornered enemy army people though couple attack time behind stand around like get wrong repeat feat time genius decided shoot like hurt anything least time somebody trying fight back ask said make red cliff great great care taken character development extremely systematic way woo many conflict example character would easy portray typical evil tyrant mastermind archetype even part mean really part woo actually war mongering prime minister smiling even likable leader almost innocent yet malevolent naivety though ruthless ambition turn blind eye suffering bald irony starting war lord eliminate name peace almost think kind game even biological warfare already besieged kind hard hate genuinely enjoy life gleefully stage sports even play well tax evil tyrant love conflicting grey complex human villain evil knee jerk stereotype day week bond mutual respect formed liang general brand tactical genius intriguing watch knowing two may well forced face even get past han together want see movie next right want red cliff phenomenal historical epic without doubt original two film form part compelling time care woo narrative systematically every aspect variety employed leading final showdown cat mouse game intrigue psychological warfare espionage full art war work display imagine film fan would want eliminate fully half story simply comprehend logic behind decision result could shell full red cliff experience would little collection woo call way much attention ever seen standoff undeveloped sporadic fit together truly appreciate final victory without taken make possible stake character perfect even uncut form still spectacular far historical war go action romance white lots pretty fire killer traditional music augment already solid score plenty levity pretty ladies classic violence horse getting chick like like said got everything watching true pleasure wonderful addition collection enjoy come rounded excessive showboating director get woo wife get tired get busy reading miss much going sell u least get well least look good simply still included limited watched one might want watch later pick say take leave stop consider much much spent making movie days lot international include dubbing excellent job dubbing many times leave lot dialogue experience movie cost quality dubbing overall cost movie insignificant expense quality dubbing especially us spend country world reason affect rating movie foreign quite well spent rest movie making quality dubbing would movie rich visual experience dialogue get say stop pause read way experience movie either want relax enjoy bought watch home buy product made say japan china take time include version printed instruction saying company selling would sell extra work done digitize movie copy onto considering price movie took cheap route rating movie product bought would great value also quality dubbing love movie seem forgotten fact actually screenplay rest product well add nothing movie since already covered g rated rated r excellent movie ended continued run around like madman scream overall good movie like dynasty rated star bu awesome tho god creator heaven earth lord king excellent ancient history movie director fantastic job important personality characteristic hero strongly recommend anyone history watch far goes one good great good plot drag movie every hackneyed done plot book despite likable engaging movie yea could used little hard figure first wonderful story telling good sweeping scenery action made favorite would recommend beautifully told story excellent character development stunning could recommend someone looking mind blowing action found battle attention overall action took back seat story great grew loving old school martial almost despise current martial heavy wire fu old school well excellent sound effects said drive home point battle annoy like martial plain disc overall movie really great even better people love new school martial preferred edition previously us theatrical version suggest catch various movie fresh tale justice love try understand lot lot fantastical action want understand great film way go crime network right one different white collar crime show slightly sophisticated side usual crime show mention ever dashing flirtatious neal steadfast yet likable agent peter burke duo work well together make episode rather fun entertaining ride usually fan crime one interest delightful fun excellent acting show one best recommend everyone excited gotten season sale saw catch starring king white collar series white collar loosely based premise time however everyone fictional two agent con man white collar section much breezy comedy crime drama episode two working stolen problem earth shattering good entertaining work time might become even better love white collar really really love show writing consistently excellent photography spectacular well like however discovered show bit late already seen season one bought mainly nice enough say people deliver audio commentary ever jeff sometimes willie contribute commentary several hard credit boring like keep getting caught show watch long thanks brilliant like oh part great fun film feel deliver much way extra information discussion nice maybe new yorker undervaluing people still maintain commentary whole lame frankly get better season two season three fact season provide less way season certainly number commentary steadily season three one obviously think great job commentary better nothing value get streaming cost family membership appear instant price natch long come know one catch buy set season go season one unless hear lot people season four set substantially better last three really like show first watching pretty cop show twist end really enjoying thinking going buy season intact box little great though series truly amazing watch love show thing disc disc episode scratch hard time play fairly smooth look disc see visible damage otherwise great show entertaining love story going top episode story somewhat predictable good character development interplay always get bad guy con man ply trade blessing law like show great casting good ask like see benefactor daughter gorgeous would like see intelligence well great place live story leaving interesting wait see play love character well keep em coming neither wife dark grim crime suspense terribly keen example coroner though crossing jordan engaging tend like monk psych white collar tradition light touch mystery suspense teaming master con man guy nifty dynamic lots potential friendship conflict lot fun white collar season one first season network clever summer cable program white collar charming neal master forger art thief prison parole work keeper straight arrow agent peter burke man responsible away first place two men forge unlikely partnership track art tiffany amber supporting role agent burke wife white collar works several burke trust work may want stay prison dangerously quest find missing ex may may want found help quest shifty former partner willie everyone presence agent fowler put back behind neal may also left old days street white collar predictable entertaining really show interaction separate white collar highly funny smart take traditional police procedural think ever quite show quite like white collar clever new mystery show employ brilliant criminal help bust white collar intriguing new twist odd couple cop show also brilliantly witty writing murky conspiracy within excellent plenty chemistry get even better searching thief known agent peter burke gentleman thief counterfeiter neal put prison allow desperate find burke offer free prison help catch though dubious neal peter reluctantly neal new wardrobe luxurious apartment wealthy landlady care former thief working together odd tackle bunch tricky white collar data hidden designer dress priceless stolen mobster painting dodgy trail jewel robbery wall street real estate fraud illegal organ ring priceless wine gunning neal neal unravel left peter become entangled shadowy conspiracy within first season white collar lot like neal elegant smart charming point really care painfully unrealistic witness onto party killer nearby slow fortunately seem smoothing knack winding together one plot corrupt agent conspiring neal peter plenty hilarious dialogue loft bust fifteen hundred square service elevator perfect chalk outline sure suspenseful little neal disguise infiltrate secure go without warrant show heart snappy sharp edged agent willing bend get job done neal admit sort st century boyishly handsome clever charming refined little bit rakish time really feel sorry loss may plot also solid supporting cast peter loving long suffering wife willie hilarious said guy killing people bare also good like another odd couple cop show white collar season benefit excellent writing acting grippingly suspenseful definitely check entertaining show con fun watch con men usually charming manage fool people us feel uncomfortable cheering con men show twist con man assist law free enjoy add handsome gay actor neal con man convincing flirtatious straight man seem chemistry involved con seen gay play straight men much conviction based price decided try white collar season believe worth story around classy master thief deal agent caught twice order avoid going back jail agent works white collar crime division new york city master thief provide criminal perspective case catch thief confined two mile radius ankle bracelet needs locate missing tiffany fame agent wife great cast works well together solid believable kept interested season could l know like find plot series interesting entertaining interested although times get bit silly white collar series charming con man neal prison three go four year sentence search trouble last time agent peter burke originally put behind quickly faced several behind due escape help burke current case since think like white collar criminal begrudgingly burke buddy cop relationship special anklet mile radius amazing wide eyed look combined certain charming attitude appealing everyone easy take people especially taking role undercover like model like wall street cultured comes fine since burke custody swank place live clothes befitting style emphasize cool even though character con man series really aka concern trouble going escape anklet try find even though might want date neal peter burke character want marry burke bit stiff agent clearly great deal wife talk together neal even like part family sometimes relationship burke goes something like outside box come winning scenario get need burke goes along glory goes well heat series much case case episode episode type could start watching time would keep coming back would neal character little bit worked time together deal possibility dirty cop criminal would difficult anyone take word crime mostly high money crime told scope main duo fun series watch would recommend bonus three short making series pro con character neal casting dynamic character peter burke take buddy cop duo cool cat hat nothing truth writing case fun gag reel put jacket correctly bunch audio commentary five twelve jeff willie already finished season first switched white collar would say show comparison bit dry seem spontaneous couple get interested show eventually grown like plot along way guess become accustomed role seem play better time thought would remake catch thief like leverage lot plot basically love watching twist though skip plot usual get disc special reason gave location rather include selection episode stick disc special feature try remember episode try figure going could done much better job special include audio commentary pro con cool cat hat nothing reel buy something today fun good job time show neal sexy con man deal agent peter burke spend rest prison sentence working consultant help catch white collar think frank catch show great work mission find ex girl friend favorite thing show take seriously like crime relationship burke great really bring world great thing show way two solve smart innovative add little think monk peter wife fantastic still gorgeous kelly great combination want buy watch going addicted show sense humor unnecessary violence fun probably watch received package reasonable amount time case inside without case far show amazing happy watch many times start watching new series get hooked one told white collar even though took awhile get season think always introduce first story season good twisted would totally recommend wait start watching season two friend told even better information white collar series box set clever thrilling new series charming con man neal maximum security prison agent peter burke help bureau bring elusive exchange eventual freedom long game cat mouse want back prison dead starring white collar sewn surprising engaging riveting excitement disc flip hard include episode pro con cool cat hat nothing commentary executive producer series worth watching least one season story line interesting pace fast usual made problem little self conscious mind recommend low brow entertainment low brow really like show like cheeky neal season one nice able see entire season excellent series supporting cast good well recording well second season watching first episode long story short burned first season pretty well caught season two week would regularly watch back back definitely worth time get network worth since paying two one good fun show watch serious plus good looking talent know good entertaining like work well together like everyone like willie second season better first adore series th season character made serious mistake care trying magic show magic together like beautiful symphony change peter wife supporting left neal hanging place go sorry ruined perfectly wonderful story line hope fix pretty soon white collar one number outstanding currently network premise similar murphy classic take cop team one caught see type fun case peter burke head white collar crime division new york neal charming good hearted forger art thief con man burke tracked put behind twice use crafty crook help solve bureau chemistry two great supporting cast outstanding fresh entertaining series good show main character quite easy watch see kind scam come next glad watch get see white collar frothy funny fun look show manner psych chuck burn notice favorite excellent showing dialogue good like c p strong suspension disbelief plot abound fun watch interaction lucky develop way really care like chuck lesser extent burn notice since watch either via even per show buy ala carte pay per month cable satellite video demand pilot representative whole show would star review pilot well written laugh loud funny couple end whole music box thing almost unwatchable disbelief come disbelief thing woman walking around clue someone supposed take seriously fact serious jeopardy bit boring dumb underpinning much show whole show p took heed yes get better raised two four watched new mon amour without knowing anything set crescent city beautiful film forbidden love affair set heart aftermath devastation love certainly role henry film feel low budget fact beautiful post relatable characterization realistic dialogue give film highly recommend especially new tug conscience leave thinking days come watched movie always hotness movie beautiful sad watch love harry potter always thought one friendship another problem last learn school real life three always seem trouble however natural teenage going school threesome always mystery solve support theme friendship great movie going back time seeing history definitely good movie body interested politics history would actual history blade evolution steel making geek nice imagery true film lead exploration reading could ask really got reading book really able give different rating well balanced without conspiracy extreme hoopla hear days name history science even though film nothing really much comes area witness good watch probably one balanced area might bob lazar objective telling sides something might else could whatever formulate documentary different therefore would call genuine documentary us men well sometimes need go experiment real life think experience real life couple joining seminary black white documentary mid feel though circa actually watched see shot former teen model tara scratch surface family recount like modeling scene circa famous include ford model lightly race class see black told seeking look right family come harder times grandmother took modeling money rose solidly middle class background example one wearing like scarf good knack able listen particular come across moral kind person manipulative nice sum would say movie definitely worth watching bad way spend hour nice mix felt may people promote impact history far greater generally known interesting people period idea watching cartoon actually anime original title anime jo cartoon found funny way handle sensitive serious subject kudos thought idea wow realize often good watch would definitely recommend young got point across timely interesting manner course really like clean comedy truly believe make laugh without getting saying appropriate humor funny worded bunch island go wrong one set back enjoy overall great quick program encourage enhance sexuality guy head strip club make want stay home fun get nothing inspiration worth buy rent keep tuning plot nothing different great see foreign film new good job one little dramatic feeling director good part making act interesting movie woman wrongly mental institution well done good story surprising came think little video great introduction however inaccurate recommend family read watching video enforce correct context video gave people unnamed guess could fall poetic license minor bad overall still daughter interest entire time made want find would mark alone would definitely purchase rest series find read well enough enjoy may accurate remember great stuff know really show determined star definitely recommend seen many life one good largely mommy mold dwelling get see much early life really documentary story truly riches success story went let self pity attitude victim hood steal program get personal life could learn juicy stuff sort making tabloid show program career people important part life done class opinion interesting learn early career early days quite different well known woman face pierce much made treatment subject glossed part one younger spoke saying see treat badly overall program disjointed incomplete could done much better job right want learn little bit expect shocking learning like learning favorite old time hey day tribute fantastic love one twin spoke personal hope enjoy much nice counterpoint lasting damage waged great review career one enduring working golden age background behind miss life hard believe woman wrote woman ultimately work hatchet spiteful getting revenge left generally good overview life career many old movie clips interview footage balanced view personal life also worked elevator store city hard way top heap see would want take coming away tend believe tome daughter mother death alway icon true movie star creature invention craft like us flawed human documentary love letter spend much time side career trajectory certain unsavory career still good watchable effort like genre found interesting look rise fame really nothing way documentary really made question mommy adopted later remember mother crazy seeing dancing seen footage quite good able get view actor would recommend brief film part successful short ready great story son could expanded fleshed longer el good film four also strong interesting true premise made know next skip closer coffee typical gay favorite first one well chose outside want anything involved perfect sometimes movie like difficult watch almost feel little disjointed piece like moment time saying remember could done never mind guy better glad gotten beyond lot go particular found interesting young man visit lady night female straight new point view lead greater understanding recommend film watch similar future believe need greater clarity world around us sure expect video ended enjoying much start finish four short every one well well executed well professional level production way four shorts something coming age coming gay sexual orientation different ways period expect flair surprisingly good script singing pretty outstanding unexpected happy ending two lighting screen chemistry romp south pacific interesting wise witty comedy lots rough sexual language sexually squeamish good diversion boy girl st century language first put back package finally watched thoroughly back forth fun discomfort lot movie gave great comedy watch least month laugh good getting back dating scene always easy well bought show art classes sound low hard hear especially candy episode sesame street cake art comes many love show part wow fascinated see people come worth time invest watching drama goes old always something wrong going ever look love show awesome sad pay used free really enjoy watching process making end result family drama cause episode season understand family comes first would enjoy cake less family drama much terry like much going show see funny first like jeff watch several problem service far many cost watch nearly cost least finding irritating far service however get two days love show funny nice acting good season free pay watch season well sure sure like show premise funny may take taste fully enjoy watch jeff available jeff show alright nothing like seeing live pretty tame get see pretty much absolutely dynamic see live good wonder like full length better one two two funny done different jeff amazing think real worth watching prepared crass humor would given material bit offensive unlike regular stuff always jeff think pushing bit different material every week although pretty good bit repetitive bit offensive love jeff amazingly funny talented great act love highly great comedy act cannot get enough comedy favorite jeff always funny show work done good nonetheless talented man jeff funny good job making laugh problem video half way show needs like special much better go way buy show funny funny like watch show thanks prime watched comedy jeff probably watch series fun jeff great think show small really creative discovered new channel since jeff always funny family love watch view sure really enjoy jeff comedy much rather see usual format forced set show format still funny already like jeff fa fa enjoy show thought funny watch show entertaining funny also clear good picture recommend anyone laugh could like jeff even one dead one old grouch bad show take think relationship would appropriate many people addicted love surface affection hesitant try one addiction process probably insightful celebrity issue physical come play good depiction mental emotional addiction treatment really show really like drama show lots anyone real life enjoy one jeff charisma ventriloquist really lost show gig however still stand comedian funny mostly clean humor refreshing really like variety able match almost taste quite good much show really long always funny great watch good variety show lot fun especially familiar jeff stand ventriloquism act never seen prior jeff stand show rent spark insanity familiar really like variety show jeff usual funny self collection min comedy central worth like beginning ending also bad annoying great addition collection enjoy jeff feel entertaining hurt quote one jeff best got definitely want buy although jeff show bone tickling funny tour work found creatively interesting learn process get wrong laugh help funny guy show yet jeff always great look forward new daughter jeff get enough watching one great buy money love show justice going concert week look forward first guy talented since childhood laughter healthy would recommend purpose truly funny saw clip trying push hard research found original go outside interact people like people ordinary people walter grouchy ever goes goes check civil war people cousin crash funeral recording catch ring funny offensive ever first couple like offensiveness tried tone bit last able watch without cringing much funny preview weird part good good new jeff still good funny different way since seeing actually jeff four excellent workout really fun maybe bit fast fault middle aged fault far tell instant video version minute solution ability workout stringing together minute wish beginning end bookmark feature instant video even mark beginning need note card computer right times start segment kind bummer definitely away bit convenience minute solution series still great workout movie wade highway police know pretty much front going way still question wade like stand guy part trying right thing sure boss car without permission like going keep trying get town worker told needs break b factory works road trip hardly natural born scenario even falling mind set surprising much trouble man mainly trying avoid trouble get especially people around refuse behave bit painful watch tragedy unfold around wade good story telling acting definitely worth watch hilarious show good extra anyone looking depth look show season pretty funny really love comedy cast right ally every guy fantasy league appreciate show basically half hour good solid trash talk great show long dont overpay funny top great set course fan football love league comedic writing spot hilarious much sports even got hooked show showing random saw funny quite adult humor done fantasy baseball thought concept fun looking forward seeing funny stuff present husband daughter great gift great show would tie together show wait watch someone show something watch found demand watched first episode thought much subsequent entertaining watching entire series probably next hooked league one favorite currently television making one non sports times fall season one great even better ray extended episode add lot content remove better worse many extra would reason full length music well solid like league probably worth lifelong enjoyment satisfaction glad trigger edit season two feel show really found groove making outrageousness absolutely integral plot big payoff episode season one bit hit miss really star winner effort capitalize audience always sunny network tried number promising sunny always completely inspired bit lunacy everything age political correctness find wrong right demented offensive show brilliance league work companion piece albeit bit unevenness mixed ways show hard push edgy sunny instead genuinely funny cast effective premise show shock value still season one league feel true potential part part improvisation league around group mania yearly fantasy football league easy camaraderie edge competitiveness present equal measure let face show badly brutal funny goad insult one another ultimate game one manship cast semi familiar great comedian one aggressively face newcomer unaffected group favorite mark puffy chair nominal lead perhaps sane bunch whose wife fantasy football pants nick confident contestant round primary cast looking show football centric league particularly show sport brotherhood friendship true spirit hit miss whole entire cast gamely lots energy generally something work something else quickly fast paced mayhem heart season two starting day wish show well enjoyable initial outing rate first season league room grow group fantasy football league together borderline bad insult one another good fun watching hooked love overall good show sometimes show little carried five would vote never seen show bought gift husband since longer cable bought first two ray first season funny enjoy show light much let blooper reel additional need anything pick cheeper cost discovered show recently love funny top football fan enjoy say hilarious love show football fan love idea making show based fantasy football certainly show even teens great adult comedy season great full witty humor wife rolling season much redemption season worth seeing adventurous like outdoors must see worth every penny spent watching watch familiar tell lot story found enlightening chose trip gave glimpse child adolescent gue face making transition another way life story journey rarely seen rain forest new guinea remote people ever seen native tree actually build home method protection well tropical forest spoken region world yet little contact anyone outside tribe idea else forest documentary unique interesting glimpse primitive world modern times start fire primitive fire starting primitive yet survive provide outsider looking difficult determine thrive environment really perspective mine many fearful especially white people never seen really potentially dangerous order meet interesting look another world would difficult modern people live especially considering eat mice grubs would also interesting see would react modern world imagine would react modern medicine nuclear cell fact man moon end left manner interesting film days divided two halves day night day sunrise sunset time living night sunset sunrise time spirit magic consider jungle full conceal bad world divided several death dead travel one world another tribe typically bow tobacco rattan rope start primitive fire arrow name used different another tribe member different tribe murderer must eaten form justice revenge suck energy men weaken tribe never show one word love sorrow compassion one aspect film disappointing film abruptly explanation potential danger finality actually leaves unanswered outcome film movie contain lot tribal nudity video high quality good audio overall recommend film interest primitive culture thought watch time period taken place good plot acting great know sometimes something worth time movie different perspective overall good lovely especially especially call star movie certainly enjoyable well real sleeper one side often see think phrase serve stand wait comes mind little league team last year every baseball hit infield adventure infield team play well repetition bring good back good reaction baseball instinct enhanced one good help popular baseball also available video demand program low minute baseball baseball bunting team play baseball may want consider baseball set popular little league baseball coaching baseball super set one catalyst series nine various quality best comfortable giving anti communist great speech given university grad time june highly today commie avenue show rise leading man bit heavies leading man totally rough around smooth actor audio sound would fade made difficult watch seen many many different always thought good actor documentary life insight relatively humble interesting man behind actor title describe well definitely original every way didnt know series lot know pure find thank l another excellent title travel series interesting tourist good photography interest age highly recommend certainly still worth look especially considered point view fought saw later find new information film clips still interesting anyone interested world war would enjoy watching movie would learn maybe readily known yet us office war documentary interesting overview development usage air power pacific theater information depth study definitely want quick introduction series consistent original footage usually well organized narrative simple concise basic information disappointed great video interested defeat empire air war naval well done easy watch please put reason think could little longer picture great show war well worth watching think disappointed air pacific theater get nearly attention theater receive part probably due diffuse nature well fact much action took place film several commonly seen footage pretty good overview big picture wish footage china new like movie good time especially like footage custom van true enjoy episode every seem wondering many enjoy shorts know spot dog pit bull dogs one incident dogs biting one matter fact pit used making one injury anyone set love clean show real life back love way like thought pretty great movie like brilliant actor like paranormal mood emotion fan rent like nontraditional horror probably find movie enjoyable however fan long time excited movie best paranormal opinion dark tormented life way also thought movie great based true story first serial killer nicely werewolf nice change pace genre version beautiful young woman bullet werewolf lost mother sister murderous ways oh forgot mention story based true story set first serial killer see told different take genre journey find kill evil wretched beast young old mostly female human population magic seduction believe local scientist doctor always one step behind man saved life turn werewolf character since together knew exactly team location capture beast doctor found sound mind due delusional belief werewolf story different standard gather mob head kill beast silver yes include doctor many doctor mental health stand trial doctor try save life court cool werewolf flick doctor cool see time period western medicine think gave much away least hope want known spoiler acting direction story cinematography much better b z rated movie require usual top blood gore sex nudity make really good movie good story acting direction deliver goods another great piece help complete puzzle came together minimal amount worth worth time yes scary creepy somewhat like best movie three story acting attractive pretty decent actress really bad actress story acting direction fear creep factor gore sex nudity yes yes value great movie bring prime really like werewolf get enough would like see thanks ruth stand comedy cartoon really works shame show took comedy central long put added cartoon humor little gross laugh remember liking movie remember maybe like maybe thing sure forgettable movie entertaining b go movie fun husband finally relax help movie thank synergy entertainment based r manufacturer archive series offer commentary bonus dubs best available source vary good fair synopsis ford crackling fast paced b unit dun inner circle wolfish p blonde fetish set newly hired golden haired secretary murder controversial radio gossip columnist detective must decide dapper strange man whether homicide number likely potentially undistinguished story elevated imaginative dialogue worth seeing cast born got show biz start year old singer band later acting career included mostly beauty wasted b unit western starring gene like bill first sing mammy broadway tune ultimately made famous al often supporting player year cinematic career bill known si love bub three sons fourth billed inner circle cortez aka chosen paramount successor thus alias although typecast lead several mediocre cortez popular day best original sam spade warner falcon ken announcer ad spokesman several camel cigarette radio comedy caravan show typecast radio announcer parenthetical number preceding title viewer poll rating inner circle warren bill cortez ken good clean movie guessing end love old black white family friendly good representative movie era typical gathering end identification real killer worth time enjoy film noir delightful little film film noir fact lesser known take away charm big plus well style era downside instant video stream audio picture goes black last five first slow plot complex though show purpose half way enjoyably spent hour nice b movie good writing decent acting gaping plot perfect afternoon tea good far goes bloody massive effort put forth capture tremendous endure secure victory month long campaign seen many battle see new footage film film first hand battle animated us slowly ground excellent account solid kung fu movie first slapstick annoying plot unfolded happening always case genre sometimes story filler fight one amazing slow character towards end really make interesting another reviewer choreography good yin fei ting wa cool watch fight side side especially yin fei like lightning fast robot super cute love hilarious dubbing awkward one good completely overall great anyone quirkiness kung fu endearing see one little plot substance gave four slow bit unfunny intentional humor seem never laugh intentionally funny though see people movie gave detailed experience resistance another important part war people lived made feel part thought informative touching love art loving contemporary art good series see love serra interactive series terrific serious research casual viewer interested contemporary art great way discover new catch contemporary art world one warning though see series free subscriber stream watched pinky dinky book nephew first introduction pinky dinky book video series believe came first teach new vocabulary word encouraging creative problem story telling context silly memory story order game end also fun way encourage good listening nephew age book video series like may geared towards slightly younger age perhaps thought trumpet smart idea first introduce vocabulary word got little annoying therefore instead perhaps would mind would even like repetitive signal would definitely recommend clean silly fun educational adult thinking hey realistic side thing book one video watched reality check acknowledged anything happen story cute cartoon guess grew lot plenty singing bright colors sure hit child like days many filled mean naughty pinky dinky nice good clean show five year old girl watched much many found prime sure would like rough graphics pinky funny watch following along life story box expanded vocabulary love way get along think wish could find bought streaming well us home show prime subscription glad found yr old love similar fancy nancy different spin nice watch something fun educational picked watch year old daughter see anything offensive yr old granddaughter watch glad getting saying big word whenever trumpet sounding glad added kindle show little girl age imagination great year great series daughter however one less long instead customary reason gave instead love show old fun educational nice cute show enjoy pinky dinky hit daughter old watch graphics mind overall would say cartoon bad good ended quickly watch sure colors bright thanks much granddaughter much crazy pink wonderful think really script thought great direction pace perfect really movie movie better good acting plot little thin overall worth watching movie go wrong flick always great actor plot unique good job writing might chick flick actually going good bell character even well done premise pretty amusing almost entire movie duct toilet pants love story course twisted worth watch good funny drama suspenseful times plot really interesting captivating acting enjoyable movie bit top seasoned movie gave lift humor currently available surprising twist end watch funny cute nice watch decent movie lot good top able see making laugh interesting fun movie love watching timothy review bit acting good seeing play beginning worth seen movie kiss imagine could meet luke character interestingly enough character movie different plot story something new ref like another reviewer said best either actor new show leverage good example problem type movie comedy sad strong comedy emotional comedic point sense great movie like watching mind story little tired good time one thing uncanny accuracy flower sometimes wish could tie significant make listen moonlight instinct result pretty good balance funny emotional say movie ever seen long shot probably one romantic genre otherwise filled dry serious original surprising turns certainly worth like romantic serious moonlight excellent film especially paired kiss another timothy romantic comedy people hearing bad even film really care finer dialogue lot enjoyment like closed shown premium cable provide experience least equal premium cable timothy pretty good chemistry quite movie strictly entertainment value would watch movie slow gain momentum plot first far fetched arena plausibility great ending never saw coming decent bell character somewhat little time pass want watch something light movie timothy acting also come really enjoy work definitely bizarre funny great soon control turning world upside thought scene went uninvited bit add much movie got bit taxing considering outcome story film watch amazing see desperate persistent wife plus robbery save near death marriage small finally flood quite moving hear confession edge death could told honest way knew comedy first sight dark cruel still love story different color tone think even connection last movie basically movie marriage experienced wife hi power job middle road husband timothy live outside city become involved mild moderate domestic violence even gone wrong still go wronger maybe distracted maybe bright really wish could give spoiler want ruin make movie worth watching reader movie thought wasting time acting quite good meaningful concise interest tired character twisted ending made worth actually character interesting retrospect opinion movie went last recommend skip single scene getting fun film country home take thinking cap cast aside watch marriage ending real chuckle wife movie night fit bill wife romantic like long hit right date movie married couple funny us giving knowing heavy fare good movie thought movie different entertaining good condition date real based write carried three keep company marathon patient beginning despite well robot lawyer almost lost patience balance movie fun thought absolutely killer ending whole thing totally worth watching beginning end leaves appreciation actress character film might non joe lose guy sea lovely cole porter line time good order movie pretty good watching combined good purchase price made transaction good one recommend read movie watching knew going happen anyway maybe anyone long term relationship movie resonate drama funny clever tongue cheek like irony like long relationship know like want say want give away enjoy outright take fall tone leaving younger woman movie get wrong adore signature although setting right business husband timothy best albeit slightly foot forward concerning thirteen year marriage manipulative calculatingly smart tour de force dialogue cat mouse game hubby give kudos stepping put upon wife typical movie keep mind huge commitment entering home writing letter rug right turns cold duct upstairs bathroom toilet demanding captive audience together several interesting ludicrous maybe refusing throw towel depth thought character long haul together unchallenged tenacity hook bell point brawl right floor wife newly intended dueling bell rung learning case later date dragging memory lane nostalgia going upstairs downstairs broken ill intended long neighborhood yard worker company role dubious first considering past proving completely believable one comes upstairs noise bathroom point empathy sympathy relenting indecisive rat going long winding road union memorable night ask worth going get interesting surprise ending caught totally guard forced welcome smile hey love watched movie thought would chick flick really movie dark little crazy times overall entertaining funny half twisted highly recommend like fan one winner cute whimsical fun bad little movie corny predictable bad funny better good could like movie funny first scene last would highly recommend good story good twist husband infidelity gave terrific made movie enjoyable watch great beginning end character perfectly first always fan perhaps bit prejudiced second duct tape fan see lot used movie timothy duct toilet weird gardener really go downhill notable exception cut work end film long funny crazy watch notice new funny crazy thing somehow previous times good film entertaining wished little longer poor unemployed big lottery would certainly travel love show wish would like bunch green eyed always ignorant people like around instead childish envious see something strive place work towards get lucky win lottery keep looking found thought gotten lucky alas available yet excellent job beautiful nice state art previous reviewer correct film however nothing cute also farce classic optimistic pessimist essay worst pragmatic love romance much experience cinema recognize genre sad triumphant times constant destruction little top film beautifully produced fluid believable story despite thousand pit comes credibly intricate tale without blaming even love short oddly enough affection avoid use word may good film watch verge break good day safe watching little low steer clear film cut old format huge fan old spaghetti found lot movie combined one film many story line avenging one clever plot twist cool ending beautiful scenery music actually like old western even low budget lo fi quality many actually find quite endearing believe great flick genre certainly entertaining worth time would watch glad upon watched temple since young fun see one shorts black white movie great comedy singing always temple doll love old adorable timeless temple love watch love temple saw lot singing dancing bit older little slapstick entertaining nevertheless introduce daughter temple thought funny fascinated black white movie exactly temple billed year old really watching temple one teacher classroom nonetheless charming entertaining short film made us laugh small appearance temple totally adorable comedy collection five flip worth public domain material typical budget box transfer quality source material often less pristine none digital restoration chapter access feature extra provided least common two laurel silent era shorts three hardy minor best three classic two set best dulcimer relate tale deadly brew also famous vaudeville golf routine dental patient flying laurel hardy wreak havoc foreign legion shine harvest moon jack beanstalk charming story sepia singing fear nothing right road bing four shorts directed part lord speak easily buster talkie college professor money fund appear stage show also vintage fright film parenthetical preceding viewer poll found film resource disc flying laurel hardy jean parker b along came auntie silent hardy sleeper silent chase palmer hardy crazy like fox silent chase v mong sleeper milla davenport uncredited hardy short silent laurel mary smithy silent laurel uncredited disc jack beanstalk bud buddy mel blanc disc b inspector general walter alan golf specialist w c grey al wood dentist w c billy bud fatal glass beer w c rosemary b speak easily buster jimmy sin franklin lionel stander b road bing bud pollard jimmy lupe mary uncredited big boy disc b love hardy lewis stone uncredited nice movie easy understand well done would recommend hope see movie like wait see son god site love need prime would great please thank little bit prime original footage good narration fast paced accurate information without much detail history vintage war film focus pacific theater mention franklin crew color documentation instant video franklin honor movie never shown added additional information days lived island able learn lot effects battle people lived sides footage film almost complete push south island said good synopsis epic battle end creative ways movie worst part based actual series really took place part could without knowing lot really disturbing love good bloody killing spree though gave always appreciate good slasher movie want catch guy time curious hell sort atrocity could possibly commit next gray market offer commentary bonus dubs best available source vary good fair original name death de synopsis middle aged struck hit run driver nearly year old daughter blood relative police want know dead woman money month people odd try locate real one dark scene bicycle riding nearly persistent motorist obviously intent killing inspector detective investigating death two street related whoever twice ran mother dead well generally average story prurient times see teen peep show gal necessary well plotted thriller unique music score may hold interest watch year old love yes want view anything kindle fire well good luck possible time consuming always big fan found adult version pretty heart always kind cheesy slapstick style cartoon crude humor questionable imagery suggest consider another cartoon show defunct nickelodeon aside spike would adult version cartoon late night regular series part adult block target audience something removed going get issue nickelodeon series due personality even worked series beyond nick carried rest creative team getting creative control cartoon duo channel censor much something spike told go whatever mistake spike tell guy whatever really going go crazy guess end good thing time good thing newly cartoon airing spike plug horror nearly pornographic adult party cartoon adult party version r suggest hint possible homosexual relationship cat asthma hound many lot female frontal nudity want ruin childhood shown nickelodeon watch adult party lot r say adult party ruined r adult party far meant cannot stress enough rated r worse however grew r handle even disgusting shown nick series take utter joy low bathroom humor go ahead check one old one man best friend never nick euthanasia body galore revel every single time watch yes disgusting people simply going disgusted simply get fine meant general public complaint never bought video never sort put em right player whatsoever figured video would simple almost pay first per episode even onto computer simply bought right watch time via video viewer hooked physically also onto sound small screen put onto could watch go well transfer watch bigger screen better sound physically reside also mandatorily video viewer watch use everything find option stupid program investigating program trying find video finally find lot convoluted pointless crap user un friendly interface yet found actual like kind low data dump full episode finally found way video onto option available case streaming video skippy work right option difficult find could finally watch without hooked via umbilical cord back mother doubt program monitor behavior consumer despite fact always say stuff turns program play player recognize watch must use bulky slow unwanted player play video able wish never bought say follow home put player watch representative jump go wait watch special brand player watch store essentially damn able transfer different computer able watch whatever kind media player wish maybe way protect video media sold given away told like bought giving anyone else simply want luxury able watch wherever whenever want pirate ridiculous one know uninstalled player threw program went pirate bay adult party nice convenient form kind seeder make big stink getting money back want know trying control media level person willing pay legitimately plan whatsoever illegally pass media anyone else actually drove want cartoon content way negative getting suggest physical simply torrent program buy video media might end locked kind restrictive embrace like right tell people watch media fight machine although film used film still used today film excellent many soviet east bloc used work useful film anyone intelligence state security video pretty poorly lot good information guy talking positive attitude recruiter let know job overall good investment anyone considering line work documentary simple overview two pacific military history information accurate intended depth study know china series quick introduction multifaceted within pacific theater war original footage form additional series listen pacific perhaps understand impact brutal chaos crusade pacific rare outing entire piece despite title whole farce cynical surprise ending several funny seen grip tossing hunks snow cast laughing control real sitting dinner table short several funny thinking similar used later time double mother really watching telling us familiar like ruth brown wish could show clearer treasure master two take way much time video great number duke classy several musical keep remote handy fast forward past comedy get past eight minute pointless opening see funny film pleasantly surprise atheist turned preacher former preacher starred winning film departure ministry humor irony writing clever plot unpredictable cast dozen well known character day give ten really pretty good film film rare atheist hero strong decent convert end either movie disrespectful either religious irreligious find film like get past sound track film thankfully unpredictable end way either average although clearly hard make gunman turned preacher film hokey real life year old child preacher whose made millions dad eventually made cash non believer got back revival tent preaching money guilty conscience led expose double life documentary film crew resulting film revealed deception behind pentecostal evangelical academy award best documentary gun pulpit much better often atheist save town plan recommend love harry mysterious good new york crime movie bother old film bit uneven technically speaking deeply horror degradation war must see believe war glorious uplifting alter outlook god help experienced combat firsthand sleep forever great shooting along ever one win determined enemy knew place surrender taken alive part well original footage one glimpse one interesting aircraft pacific battle sea known turkey shoot land took tole especially provided b access japan concise accurate information prefer quick introduction military history depth study good original footage well worth time done lot research battle father bronze star artilleryman well many initial theater howitzer gun cannon initial many eventually told war times dedication strong character devout belief cause drove eventual victory freedom well around world stake would tested reason said generation least questionable unlikely could nation internal answer call today quality film message forget price freedom pretty good segment left important true world war history buff must see episode war depiction true event keep mind made black white expect picture sound quality something made today growing panicked one night radio adaptation war many actually laugh find impossible believe many people could like well watched much easier see people might really bought million people listening nationwide imagine small percentage bought much panic would still cause laugh hard even believe hear radio totally recommend movie anyone interested seeing went valuable lesson given entertaining way enjoy movie thought provoking would situation people world war horrible horrible another true story dangerous kindness shown innocent people good find nothing unusual could anything less terribly sad necessity sad worth watch good doc learned went everywhere could seek people nice see people saved fast paced history action surrounding naval action strategic value entry new kiwi included narration simple concise historically accurate usual tone used us office war graphic abysmal fought pacific theater quick study military history series consistent original footage one pursue depth study came across bit shorter looking obvious propaganda piece probably something would news theater factual least us point view good great footage know made series obviously attempt premier new weekly western well done good story line reminiscent depth study character like em high spaghetti premise good well selected cast pretty good movie interesting plot fun watch really like use propaganda class unto one purpose seem lesser value newly prime minister great intent gain us support platform nonintervention without support people us great little chance survival needs considered integral part review original footage well selected another review narration informative reasonably accurate consider would information time would sympathy answer yes film would purpose perspective film purpose interested military history interest psychological effects propaganda love movie like period war look morale enough time movie near end consider history purpose film definitely worth watching intent remind people united fought video interesting footage well realize complex nature post depression understand important united another war well unusual original film footage clips simply stated easily understood information reasonably accurate interest military history place begin still interest good overview psychology note original footage german invasion north subsequent invasion via forest use civilian tool war evacuation propaganda intended military program contents fall navy part survival along air force propaganda work used army air force want clear understanding war situation need watch program interested second world war year old daughter bake episode heart party watched caught singing along great setting fit valentine theme tee seasonal holiday barney become tradition house love predictable upbeat one often family making valentine heart shaped like style top kung fu worth watching best still need fist pump sound effects check ultra character slapstick comedy normal person tolerate x old dude super beard king fu style check character development non existent cheesy pure fun way could home camera small band boot fu biff think rather bright future stand comedian history important without documentary follow us know understand made allow us live freedom video told story video color story b w informative massive bombardment us air ground sea impressive little dislodge heavily dug marine search enemy win bloody campaign old news reel footage government film like news shown feature film nothing new informative never seen footage almost navy civilian press corps still worth seeing nothing honor spent thirty four days hell almost wounded total force brutal historic battle chunk rock basically many think broke back beginning end appreciate told much true story possible good documentary worth watching definite must see occult horror well done love open ended footage san back upswing satanic panic wonderful good truthful portrayal pacific fighting war different war atlantic documentary well worth watching anyone interested history world war around first blessed win war god definitely us tragic lose many good young men war become last option good interesting exercise globe desk next computer watching video put lot action proper perspective video production lot fro war department amazing amount information known watched lot actually lived wake island used find spent caliber sometimes bigger stuff large sand covered built spent time living near visiting pearl harbor decent ground feel war short actually film one best whole pacific war seen classic piece done well class patriotism honor due gave much protection nation freedom around world wish honor sense patriotism film current around globe apologetic stance military commitment made country well anyway recommend good old western interesting historical point view relative low level sophistication documentary film making watched context read five returned military political film time interesting compare desert victory much better actual battlefield footage unlike typical period comedy goofy couple nut house neither actually female lead owner roving carnival movie grew watched couple times first quite disjointed probably listening film second time watched entertaining quite funny way quite bit odd goofiness movie seem exactly fit somehow keep together enough movie keep moving keep mind period made see lot movie otherwise might best part well meaning colonel caraway character best steer right direction course always getting little trouble caraway like end well watch movie enjoy watching old time gene film good story cowboy like two mixed film wonderful silly guilty pleasure apparently royal shaft middle night realization lost funny two united road trip becomes solid facing energy dependency mostly fast paced history pacific culture us expansion preceding simply narration concise reasonably accurate usual tone used us office war quick study history easy watch quality sound good wish quality second world war head cool go place worry cord getting like decided view movie past kept attention good story line really like one like time period horror people love people interested history horror right alley like better investigating eight finished need date show often stay current pretty cool show would like see new one get paint palette five colors plus white two one brush paint along slow rather detailed finish painting watch personally colors video great use paint knife seascape would recommend fun lots topless full nudity like lower budget gone wild mostly wet shirt flash good looking fat overall good skin filled video story interesting acting bit hokey stilted use camera effects fascinating great fan ghost one interesting actually much better first end satisfying watch like taking pleasant walk quiet garden warm afternoon time life leaves one feeling clean likable beautiful photography story wee bit slow charming lead actress good job special effects old school style appear appropriate time period say archaeologist historian found slightly like heroine able wander around stately home museum without escort gardener plowing ground historic cemetery dig skeleton seam skull sake fun entertaining film fan jane classic ghost enjoy time life much kudos film look forward seeing work director fascinating film propaganda piece kindly fatherly figure nation genius led way economy country back forefront global politics everything film language narration clearly heavily political agenda casual documentary enjoyable excellent footage important history use video class show traditionally china though look stimulate conversation afterwards regarding issue bias presentation talk much like type less saw better saw worst heartland son great continuation heartland several later really like kind movie many crying laughing many would love see like documentary produced war department world war typical genre composed actual war footage allies reasonably accurate relatively unbiased narrative naval pacific early mid also strategic battle well ubiquitous deep baritone guy voice nearly every war documentary fi post era interesting original footage us japan information accurate beginning us navy return fighting force depth study tactics strategy best considered overview naval involvement baseball seriousness ability bomb commentary dimension definitely want quick introduction us war office documentary footage well organized part series always amazed made drive back vast world cannot get enough historical period time great men much little thus wonderful thoughtful movie masterful job story moving also good know fictional account based true story powerful recreation spirit frenzy echo great archetypal kind assessment crazy u affected native apache al order clear annex settle carve like make habitable whites regardless environmental human original day taking shirt reveal well pectoral trim torso touchy character good reason business deal consequence lost thus start film without house wife charming scheming seductress victimize victim insurance scam equally scheming older husband character caught attraction woman scheming fear safety survival creepiness film start dissipate half film viewer uncomfortable revealed film since danger protagonist revealed pretty early however music film assuage reader edge gloss romantic nuance expectation insist actual evidence film quite satisfying climax happily end guy initially lost everything amusing fable hero villain main character sometimes cheer usually like suggest see highly watchable wait see anything adorable cute clean movie good father set dogs pedigree almost put sleep thinking nut one two know temple mischievous little sister movie main character adorable movie right though like fun definitely recommend cute little show older brother dog keep little sister back morning black white gone child like could spell sorry growing forward news sports terry gasoline alley dick know first two ever made dick certainly movie one several see town movie theater built opportunity see dick dilemma chester cartoon remember story minimal bad guy ugly dick heroic lovely lovely enjoy movie noted suspend pretense older eight nine movie pure cartoon sit back enjoy movie really experience would suggest watch movie bed time claw frightening suspect early time great fun make nice use guy gorilla suit story little sister tag along brother cute short video safe young watch nice see temple also black white watched via instant video prime membership although name reputation faded substantially since death remains hero many remember involvement citizen empowerment movement film interesting directly also carried untimely death good traditional approach popular painting topic mask whites lots glazing squirt bottle use color ala lynch lifting negative painting pretty much standard repertoire good since away painting forgotten many video technically clear good sound track actually rented alfalfa rest gang back sitting front black white television love spanky alfalfa gang black white lots fun watching brought back sweet younger days good see familiar together acting come long way would great see spanky tiny little tot since stand material old use stuff sometimes new added much however extremely funny never seen stand highly long program always opportunity watch program due nature close exactly way life around came us think one moment would ever way see coronation street absolutely love portray people coronation street actual story line really would cup tea really cinematography bit poor much pain plot ran neck neck kept second guessing pull rug end worth view yes digital quality source age great film highly atmospheric moody fantastic lighting one twisted great film time period prime fantastic getting better obscure free like one pray enjoy life money buy would recommend young watch sanctified adult miss message powerful time definitely different seen twist twist sure interesting film would recommend watched night good price good plot thought going end tell low budget love movie shocking must say watch lot independent one great story line great someone writer develop must say complaint would well boring went fast guess watch film stood little usual routine story predictable best four main kind movie pay attention son love show thanks prime show lot never finished series since prime thought mines well check free like show lot see ended entertaining anima usually well drawn unfortunately periodically really obviously purposeful get reasoning stooge opium dealing boss ting good guy casually oh right away one day get nostalgic old school grind house chop take peek death k original title da e kou either cult classic minor masterpiece whiplash martial artistry roc tien k tien also plot around government operative tien associate smashing opium ring near pretty bleak pretty violent movie grainy sometimes dim reinforce grim atmosphere much chance levity roc tien occasionally laconic bon mot deadpan one liner might zing realize cracked joke obvious early scene supervisor briefing special courier train money money find come handy know made laugh plot like film pragmatic approach several genre maimed fighter adversity vengeful maiden taking big bad meager think good guy would show last second amusing strategy pretty much showing bad brutally ending subtlety sneaking back room smoke violence face short graphic still may wince minor boss superior snapping leg seated cross legged roc tien implacable anti hero cool pressure posing surrounded evil cruel enough roasting eating crooked cop guard dog front slicing crooked cop sword coiled hard boiled presence roc tien bit like lee sell spring action late film tien guy sternum film title glad extended climactic fight tien tien finally put easily mowing want good guy take punishment touch verisimilitude another pleasant change pace dub done bunch sense theme music papa rolling stone turns good music video es es el video es para ni os la con un placer en de la el con el e de la es un video good sure artist going end helpful rent want learn paint abstract easily convert digital medium watched lady flu streaming player worked flawlessly mac sec line entertaining non political humorous good music definitely low budget know could sing good violin excellent theme used non political humorous manner star trek amusing pleasant use two three day rental price wanting onto computer various would like get coming format soon lady inventive story cast crew writer director producer supporting actor composer lyricist clearly time delight enthusiasm screen also six head collision author brad everyone taste especially wanting straight ahead plot yet considerable one patient admit suspense comedy investigator inter agency exchange duty federal air marshal making misstep suspected terrorist actually right though know yet supposed screw sent one purgatory made latest receiver manager legal brothel long owing outside inspired actual case lovely working around may links case put career limbo pleasure fulfillment engineer falling exactly determined track chase goes shooting range dam mysterious medical research facility oh casino two one dinner determined beset always sexy madam establishment trying clean late lover former owner craps table join stab gaining local respectability pleasing unexpected spoiled tracing action ultimately weaving silken lady pleasure dome intricate last half hour though story leaves loose also clearly told demand video version theatrical background detail without confusion finally beyond acting confidence undeniably lovely working though fellow yet game effort enthusiasm winning right saw film several protean creator libertarian although known decade role production write review instigation high polish yet half million big studio high fifty times budget tenth intelligence save money mother daughter ex wife late father manage take part well add anti authoritarian never lose comic beat plot end meaningful retrospect independent creation current suffer times budget sound inconsistent though less evident small screen large visual work smoothly though edit yet mood audacious goulash evenly one consistency tone thriller comedy musical camp satirical political likely well special preview edition version notably since theatrical special scene although offing future video according director going hunt ever idea making pay set love show clean comedy watched season would really like see season really like never saw show back season available prime watch would really like see tame big business grand buy spot camp happy documentary first low tech hardship ropes sad see global warming snow interested extreme altitude found treat see historical footage real image quality great better clips around breadth content contemporaneous account wonderful different today see beyond limit overall historical experience well enjoy interesting historical account first interesting see equipment carrying expedition time technology different today sweet little independent film made canada bitter young show life evolve change bad attitude little sex cute bad rental beginning place bit intriguing like woody film message different acting great story captivating interest sure spit great determination brit superior tactical command led brit strategic radar fed incoming german fought horrible air tactics superior plane thank goodness made stick might easy time shooting one popular aviation history given royal treatment best tell spitfire story information aware good read born era allies like great video spit fire interesting designer incredible machine somewhat box design looking list jack warden see great sleeper movie disc seen since anywhere remember everything remember loving acting story cast always joy watch sal tragically life end soon also fine actor maybe favorite character actor ever jack warden appearance classic twilight zone episode lonely song wonderful drama angry men trainer heaven wait comedy fine classic actor every way glad movie going wait watch great classic different anyone think one revolutionary story nearly would expect give know fan like sal enjoy movie looking great art afraid good story love great cast sit reminisce even generation enjoy adventure funny someone bald head suddenly rest us aside piercing story little trite acting good round knowledge escape one many people talk e buccaneer jack warden sal story political prisoner freed run imprisonment movie strangely familiar precursor middle east evident short sweet good movie great time period yule charismatic usual much yule fan life one remember seeing child possibly second feature another film long since forgotten aside likable chase adventure one feeling actually traveling people acting fine though sal little earnest jack warden could back little one two excellent holding screen presence check actual action violence limited end film exciting duel couple armored half balance film trek inevitable personality refreshingly movie free coward hysteric character many character driven film location another review though couple obviously set overly like straight forward desert would probably like poster wrong eagle hawk grant film please change reflect film love older even might corny still great watch enjoy one best movie navy bad would watching always although one best still quite enjoyable movie recently watched movie pleasantly ridiculous later turned right front let say huge fan blame studio acting career man rock roll music known lot sing pathetic really felt time also little interest let get beyond movie story acting better average huge attribute first song sang partner club partner said sure still wow crowd like used give song sang much like performance real life great yoga scene bad another one throw place movie good job acting reason glad watched movie prime like deem sufficient overstate additional style find totally unacceptable please appreciate customer knock totally unnecessary waste time unless want pay opinion thanks us variety era fun whimsical great escape long difficult week vintage film singing story line cool love seeing back day present alan confederate officer notorious paramount eager cash success two previous star whispering smith branded soon back saddle near end civil war action western set location new area real c spelt throughout film probably usual fast loose cinematography produced directed broken bow assayer shot office confederate bullet former rebel soldier lane blame saved undercover confederate officer brett alan escape lane hideaway cabin lane night fall brett search leaving couple behind lane brett unknown killer assayer set pursuit catching brett fist fight resulting lane falling badly breaking leg hole cave violent thunderstorm rain union patrol spotted suspicious brett cautiously alone find patrol none dressed union blues led general brett confederate captain set camp skee jeff sent guard lane brett soon hidden agenda support confederacy used front use protect least fallen stage action mountain retreat whilst trying summon help townsfolk broken bow end result fast paced western usual laid back style rest cast excellent especially dependable look jay little crow days lone ranger difficult find although seen occasionally visit full list alan available find many today political hidden agenda sometimes humor crass cynical none much year old daughter show used watch singing goofy rita morgan freeman cute emphasis learning read like version electric company sesame street back feel need overwhelm attention span today rapid abundance special effects wonder causing yet television want start slow good choice child two recommend kipper however video quality could use improvement like something tape like classic humor education priceless better educational series air today fun watch style lived educational program watch child repetition good fairly low key show lot excitement enjoy older documentary great veil life death across certainly fast paced ghost hunting today ghost volume excellent job story exploring strange often amazing take place good series really enjoy watching series glad prime cable one born raised coast visit missing boat love coast traversed thoroughly best far good video crash course coast looking creature go north want wild untamed two legged go south shore park something would highly family light display year truly trip would happy point find tourist fun cast helping one good alien one bad alien achieve planet earth think show produced toward end v liquid television era bunch great artistic aeon flux high tech well written comedic lack profanity suitable like sam master pen ink batman among best comic history great work please buy comic edition based took even remember name series available copy record time sooner new item previously series strange quirky appealing unusual sense humor caught sense absurd gallant originally late think seeing grandmother hope share brilliance time thank made available interesting like time period came wish thanks like lot us remember days cartoon like show gave instead seem good tend watch entire show way worth second look first seen amination way ahead time first use animation used many experimental great comic book television animation great premise execution said premise thoroughly movie quality shaky mostly even took hour would play little disappointed quality kirk pine young quinto bit combative different film check death mother within film emotionally mother death point kirk command starship fleet n c c u enterprise protect ship ultimate fate earth good first effort director j j star trek universe excellent acting cast especially urban peggy watching instant video entertaining video transfer soft could sharper image mode sound absolutely flawless movie great watched part series quality content movie entertaining great fun see formation original crew want give anything else away say much already written new movie usually much action enough social commentary old school seem feel regard really swung wide gene vision future would submit utopian film moving fast kind difficult sit back think instance area conflict world least last middle east radical region declared war western society matter political fix fact leading kelvin battle opening star trek middle eastern man lost sacrifice kirk father scene also two inter species dating movie kirk spoiler little like pepper film think star trek lost utopian side like child unlike wear politics sleeve character development kirk weak authority youth forced attempt show repressed anger federation heroic death father opinion joining star fleet turn pike unrealistic forced plot forward rather telling us kirk probably looking intended overall entertaining film faithfully cast youth total star trek fan watched original series many times well guess say bias towards franchise said skeptical anyone could play young captain kirk kirk well pine ultimately still made role great hope agreed feel way rest crew totally looking forward new movie coming week previous format copy gone missing grab another version come lot behind remember format release fun movie price stage game one needs nice copy movie minimal perfectly fine watched many original airman club base happy see tech enhance great many care science fiction always far beyond science lucky permanent human presence turn twenty second century matter destiny exploration course want home planet like earth ca going settle first order begin seek inner bring justice peace whole race watch show sporadically two star trek good job taking step even wife typically like type genre good movie great take history star trek new audience would recommend meeting young classic trek fan plot interesting turns enjoyable watch seen star good film first place captain kirk captain kirk figure yes understand thought respectfully done old would able appreciate franchise movie enable revisit old story beginning new generation price version great great real drawback real promising star trek series decided influence obviously hard judge one movie versus star trek universe definitely stole show ideally play young quite logical prime affair student quite illogical attempt younger one could ask better performance rest need work future establish new kirk bit much new done style new felt phase times new quite right new new step ahead rest main perry talented creative convincing high star fleet officer sort stood issue movie villain actually particularly impressive considering grand stage scary looking space ship typical villain best could come angry miner mining ship galaxy plus site crew lot attention number original star trek universe also nice efficient way split trek new reality thus wrath clean cut also possibility original trek reality future without love movie especially great us watched original series lots stuff plus old bad part streaming pause every last hour movie many got hard stay story definitely try even sure movie fan fi know little star trek think enjoy hard core trek fan probably skip added personal list standard take thought must say much difference pretty good movie well funny serious good action good special effects short better average star trek movie wife like star trek watched beginning end said star trek fan married someone probably safe bet chose overall great quality superb however practically zero bonus material consider ray disc everybody revolving around u enterprise crew lead captain kirk alternate reality familiar early days crew came together went star fleet basically every today movie may would appeal people original star trek would enjoyable people considering number one movie country opening weekend brought another million second weekend grand total million glowing top rotten fresh fresh rated answer obvious star trek movie summer season film somehow capable keeping essence original series yet inject breath fresh air franchise new familiar film really wide range since everything anyone looking go affectively action comedy fi romance one sensational adventure cast truly superb urban practically channeled deforest portrayal stole every scene quinto fit young character like glove could go really poor performance anyone minor complaint film lens flare effect use throughout film hardly noticeable times remember bit irritating towards last half film like see sequel suggestion anything star trek fun exciting film really everyone film little two long much shorter waiting see one entertaining film really movie season bang go ahead group batman one successful also incredibly enjoyable trend iconic batman bond star trek inevitably next line fretted new incarnation creator gene beloved franchise wagon train would worry new version intended franchise popular subsequently series big budget remarkably balanced take classic enterprise crew designed appeal non audience canon star trek lore director j j fringe alias mission impossible fresh vision fan kirk born father starship crew attack led mysterious eric young rebel brash thrill seeking adventurer young kirk pine star fleet academy captain pike greenwood meanwhile half half human quinto amid bullying destiny federation cadet instead home planet kirk friendship ornery young doctor urban hoot whose distrust space medical become legendary way kirk become crew member newly starship enterprise fact become core crew officer cho later engineer seeking vengeance federation traveled time exact pain destruction planet killing device draw enterprise ultimately earth universe balance kirk must decide work together help certain mentor parallel life kirk marked two men clash reconcile future relationship kirk hawkish shoot hip reactionary logical think inside box good soldier us bit khan wrath khan character major upgrade talented officer romantic certain greenwood veteran pike welcome pivotal appearance elder prominently history come cast iconic remember crew member opportunity shine nice see group working together first time solve crisis story audience crew species far cry novelty crew classic trek screenplay well written dialogue clever trek sprinkled throughout age old classic show first time doctor physicist riot part fun watching two like kirk slowly bond seeing kirk captain chair finally get learn maru really kirk defeat test sure plot gaping think continuity fate certain venerable classic character time make total sense film also deep previous perhaps true failing instead get strong character study technical effects quite impressive although favor close tight camera put viewer middle action fortunately jarring camera good fight sequence platform surprise ice planet want shooting back forth space battle got fact energy level voyage bouncing along enterprise stunning never quite way ever cool depict starship going warp drive imaginative view showing ship exterior interior brimming activity sound stark contrast antiseptic show complete female back period yet seem fresh end nice dedication gene federation computer one last time old show may tear faithful creative trek lore set everything nicely going forward alternate universe game experience crew fire ready new cannot come soon enough way go trek admit low going see movie really enjoyable one better saw last year watch first franchise rented box color red knew ray collection well movie history grew often first building story guess done way look forward seeing new cast well star trek movie hard reinvent tone old series lead exactly place left film like many previous star trek fi rather space opera like star best show best always sort social dilemma discovery unknown mysterious universe star trek many sadly report new star trek rather action adventure vein wrath khan search undiscovered country first contact ah quite par space opera film series either see one thing also made average action adventure interesting character conflict character development film younger age lose least next installment days avoid upcoming avoid trailer already ruin hear going play father film pleasantly find untrue older future future place last installment old trek movie series time travel old younger age giving excuse change old original time line one clever new film made smile sure fi time travel plot device star trek novel enough clever enough much trek lore various v series carry easier erase time travel remake saying never time travel plot also change character kirk ever slightly talented th chip shoulder never knowing father something came time worm hole opening film trying live father different original series acting film fine nothing spectacular serviceable character set old show film kirk ever original series main character triangle everyone else shading side bit slighted urban spot impression deforest kelly quite good funny hope future give something original film much set one feeling real new trek film film sequel effects good nothing special nothing film seen space done well nothing awe inspiring action school doubt argument whether trek space opera lead court exhibit c sword fight drill outside earth future space travel reality would anyone carry sword dagger b fight one save world film concerned adventure logic true fi action right despite silly logic always get exciting fun none less film weight actual plot enough time spent eric villain never really feel pain much get justification film guess could chalk always cheap way fill character hole plot also going use time travel story could damn please least attempt earth shattering unreal truly amazing event discovery found time travel reality one even second reaction get kirk finally broad end slightly colored kirk especially get academy nothing really would seeing young kirk struggling chasing academy star trek truly gone true starring orignal main plot film slight see focus put sidenote note please every time bar setting scene damn bar boring cliche action really sick like every time see bar know coming blah ultimately film fun exciting fast time theater summer season year two wolverine innovation old goods lesser lesser better wolverine much though film think sequel could really improve upon premise set established film might done star trek actually loser site kirk captain without graduating academy go compare real military really guess like rocky karate many human otherworldly fantasy trek kirk student ship successfully mission world graduation day early saving world real fantasy take god advice get life movie great quality disappointed darkness lack special previously several behind ray come ask corse good ray blue ray ten times better love love love movie start old original series television hooked star trek hooked movie star trek next generation television hooked new release bad different bad like grew series keep open mind difficult know go picture enjoy let stand think like rating kirk whole gang back action time young ready go us true trepidation going film star trek st geek begin enjoy fast paced exciting ride kelvin unusual phenomenon space kind immediately comes attack series kirk command ship wife away conclusion battle probably one exciting emotionally seen st time hooked jump forward meet young kirk young get taste childhood jump forward see join want sound rushed bam bam bam meet hold later give us want want see new old action moving brisk pace relief slow moving st seen times ever try get non st friend trek well start st v pick one first contact great infamous maru scenario kirk becomes first person beat kirk cocky arrogant womanizer also charming heroic urban probably spot really almost like seeing young flesh frankly every scene maybe close great quite bit one given moment shine one point another made laugh really wait see crew special note turns great performance pleasure watch well plot sure villain threatening also maybe one dimensional two method science behind presence really sell personally think would exhausting stay mad straight sitting around singe minded intensity give man really mad method give us new st crew take worried cosmetic ship bridge bit please watch enjoy sure may toned bridge design bit way update today effects great special effects better anything seen st quite time overall change scare love st want ready beam aboard ready overall good movie people like drawn scene faced paced always hard keep first time watch want watch see caught everything original series apparent enough even non catch like man doctor physicist given got captain original theme epic awesome little linear without much time think could like throughout whole movie like hate story sit drawn love scene staring dude butt wondering going get back stuff movie second break main story every show stuff happening end movie wishing movie partly interested story also feel like story movie new graduating academy two later one cadet captain another commander first officer quick try keep hopefully sense end story constantly moving awesome epic pretty good plenty action plenty humor small love story side even convertible corvette beastie little known fact none ball responsible birth trek titular head green lit former la cop gene idea western series brief three year run amazing consider franchise thrive later much director j j lost able imagine legacy series without sacrificing fidelity satisfy rabid north million mark first week release someone remotely trekker admit done fine job familiar youthful engaging time traversing plot smartly heavy exposition favor action pyrotechnics result sometimes mind numbing trivial minute movie never dull densely plot us forward year backwards depending perspective star trek lore kelvin major alien vessel alternate revealed inevitable ensue later meet familiar series enterprise maiden voyage kirk cocksure hothead obvious academy potential father never knew half human half brilliant student turned control freak nature sometimes unable reconcile two sides identity initially hostile relationship much film spark one face common enemy good excuse enhanced action plethora frame time start feel excess redundancy approach story viewer core ethos enterprise crew extended rainbow coalition family even entire crew smart enough recognize movie capture heart original series way patronize yet engage us non casting solid although couple rather lightweight veneer tween idol pine roughhewn manner youthful kirk way real life personality without outright imitation elder actor even better quinto little latitude vary fan expectation yet subtle palpable humanity stoic character rest crew painted urban coming caricature laying thick cold war era accent extremely young hot fuzz comedy engineer somewhat subtle zo guess linguist specialist surprising relationship cho escape bay showing handle action dexterity neophyte helmsman covered latex eric hardly recognizable although character stock vengeance genuinely odd however see perry goes jail head academy especially still doe eyed ryder trying look maternal human side mother among cinema comic book one closer dark men quality scale visually disappoint kinetic cinematography creative production design futuristic seamlessly time convenient jumble really give rise complex moral beyond importance building trusting nonetheless movie propulsive entertainment tamper genesis squarely humanity familiar accomplishment grateful thought great movie weak plot know contradictory film great acting character development special effects perhaps best trek film way film tied together main hand thought plot bit grandiose especially hour film reveal say lot star trek universe yet way quick trek purist felt like whole villain planet technology plot done bit much e g wrath khan insurrection actual mundane however character development chance see kirk big screen trek beware would given enjoy watching really starship special effects budget run little low star trek butt plus live pretty fun seeing riverside screen excellent quality ray transcription reversed video weak missing audio bad movie action movie good star trek clearly get star trek still movie lot actual first star trek movie also lousy star trek studio gentry understand star trek would recommend recording collection long time star trek fan virtue long history fandom naturally like new star trek come one good fun watch young old seeing young kirk would bit substantial plot less gratuitous fight guess special effects best make money would probably watch see inside first movie would definitely best someone familiar original star trek series lot back naturally difficult see new eventually get enjoy film effects good star trek fan guess must see history young kirk gang great twist even casual fan good animation lot action decent story movie genre fi fan must still good action flick cast story line interesting twist alternate story give great vehicle exploring new way many original series fun watch great special effects dry humor film marvelous know north central south zone audio came turned really good movie buy second movie really enjoy two spent watching star trek best time anywhere good long consider trekker stretch imagination star trek inhabit bridge enterprise central friendship human loose cannon kirk half buttoned first officer centerpiece world beating heart everything else goes enterprise butch two found two young relatively obscure pay homage channeling unique without exactly aping time manage bring something fresh classic new generation pine quite find youthful kirk naturally brilliant cadet whose academic career propensity chasing getting bar perhaps job suggesting predecessor without lapsing parody quinto channeling without imminently parody staccato delivery physical pine direct blue gaze still kirk directness recklessness roger lust life still bit immature inexperienced vessel indeed entire cast young making feel times like version star trek version entire crew new starship enterprise plucked academy hastily go war menace eric seasoned though urban drolly channeling spot impersonation slightly older rest space eldest crew member engineer late look anything like thick brogue even cheerfully incomprehensible one update keeping today gene original vision commander romantic attachment former student junior officer might space movie cute enough stir repressed male would deem openly demonstrative physical relationship female subordinate highly illogical never mind inappropriate serviceable everyone else think quinto standout performance first meet child genius home planet daily school maternal parentage human heritage often never fully insulting mother stoic one heel one thing make lose control quinto striking resemblance young bowl cut even better making actually quite sexy tall elegant figure bridge bridge gave away command saw emotionality unbecoming officer hence raw rambunctious cadet kirk becomes captain kirk along way watch two temperamental bicker snipe detest way toward becoming lifelong soul space doubt sequel first many new franchise way pine quinto deck voyage worth strapping one cast perfect direction great better appreciate ray shame bring star trek movie fan see reason whole family would enjoy admit like film first couple times watched fact first time kept screaming star trek certain gene rolling grave knew going film j j franchise star trek mind immediately shut actually enjoy good film second time watched made sense picked perfect way franchise alternate running concurrent nearly established star trek history alternate offer fresh exciting without responsible star trek past without prior trek stuck universe got hurdle watched film third time pretty blown away yes j j star trek targeted toward non slick action think purposeful lack typical trek morality play enough juicy established trek universe thrown make like film first color picture ray pretty astounding really wish previous trek given anywhere near budget given imagine much better insurrection even first contact one best trek opinion could bigger budget special effects new star trek incredible casting star trek perfect obviously younger departure universe arrive enterprise pine quinto casting perfection young kirk respectively two much chemistry urban perfect choice younger although new incarnation less central character original series subsequent six trio kirk central focus triplicate lovely sexy smart sassy lieutenant cho spot lieutenant worthy successor great much chief engineer young also much enjoy younger romantic relationship think previous trek every main character given something important even central plot star trek next generation favorite trek series next gen often film focus data crusher la forge completely character development result new star trek main respectful ways could reconcile blame loyalty universe crew bald physically identical story place alternate prime would universe look way second way ship size design enterprise could earth would space however life long star trek fan way kept finally enjoying movie sense alternate universe vision star trek based certain particular kirk interesting big star trek fan skeptical movie done well look remake slightly different version thought good movie good story line nice effects love star trek casting also done well fit great story special effects acting cast perfectly pretty sure watched movie times believe best review worst review new star trek movie thought old really well done everyone secret st movie first star trek crew st going see original everyone would saying nothing like original cast damned damned mining ship time ship episode year hell star trek voyager far imposing made start movie absolutely amazing totally unexpected st movie thank god st st movie even remember name ever action end rest time spent wandering actually going start end st far intent verbally explaining everything always necessary go watch fi action movie expect action space talking new st movie refreshing entire st movie fast paced action quickly funny great remember see old story plot fine understood easily going without excessive talk st movie great success unlike deserved flop box office huge fan action talk felt st fell much talking enough action many space dwelling organism supposedly intelligent must communicate silly least movie fighting actual opponent whose technology far superior roll new series st new action even st fan original st movie ignite interest show movie great really like old star trek think really good idea main complaint quality picture rented movie television fast cable connection told play within full great stopped halfway finish watching next day would play lit orange stopped checked connection router even tried start movie fresh beginning matter gave poor standard definition blotchy finished movie went watch episode fringe immediately full several know disappointed movie high quality j j star trek one exciting trek since wrath khan search attack father thrill seeking farm boy kirk pine star fleet take seriously test impress quinto much since going get along attack enterprise might enough force work together really movie cast lot fun everyone good job well urban first choice role either quinto comfortably well part perfectly pine gun ho kirk used perfectly cocky though bad problem movie used mean remember kirk love triangle original series making felt wrong still look kirk face used star trek film stud one bad language either space bit better previous still found lot film exciting fun though something felt watching star trek film awhile especially last trek really enjoy new star trek franchise pine quinto amazing chemistry edge seat thrill ride star trek close relative taking rightfully deserved place great origin story boots classic franchise fun action story please anyone fan star trek capacity hard step back quite literally lifetime sure accessible really non fan wife quite bit even though said many like inside get right entire sequence like extended bit fan service mind fan quite bit although see would seem like tangential plot non screenplay humor universe afraid embrace big fi material mature well written effects far best trek ever seen biggest visual gift film energetic beautiful cinema style away usually staid previous trek without becoming another hyper kinetic visual mess even almost laughable use constant lens flaring interesting dynamic piece fantastic every one diverse getting chance really shine pine quinto great channeling essential original without descending imitation urban real highlight though passion humor humanity best appeal original character eric thankless role villain tragic side never really full character said visual effects beautiful different particularly way enterprise speed power much way light commander far side formidable also capable darting nimbleness might surprise also standout familiar star trek medley end main theme star trek totally new fitting new franchise love see creative team much like running time spent together get actual crew working together near end see established focus telling full story real test dark knight men last stand time tell j j star trek critical commercial success get bad one star trek fan loud pine irritating kirk also plot motivation killing people weak lot people die star trek movie killing done bad big star trek fan since grew star trek commercially critically star trek enterprise original star trek enhanced thought star trek dead nothing memory star trek justice original star trek palatable non film enough inspired production value save afraid would downbeat lifeless train wreck like remake channel script film written two also wrote pine role kirk pine mother actress horror comedy beware blob quinto good young version urban sincere performance film yet past star trek scene picked reference star trek cartoon speed racer wrote solid epic sweeping loud music score star trek like large cake successfully baked neatly decorated going blessed star trek cinema time tell live long prosper could never see watching star trek movie watching one wait new one love original star trek however boldness new remake kind like top gun son living father angry lost looking niche validation good beastie song beyond stupid suck fit scene actor great job kirk everyone else basically mediocre original cast film much sophisticated father star trek star trek everyone pure theme great end original sound effects throughout stuff maybe focus writing humor everyone kept talking anything write home one scene relationship transporter would cool movie audio video quality good movie one see going see new star trek movie big fan original series came little skeptical honestly worried going phantom menace tacky rehash much charm original movie deep thought provoking content made engaging core less obviously different never situation found thinking character x would never say short came awful popcorn movie pleasantly modern presentation original star trek star trek action fast paced visually stunning times funny really sat back watched movie one star trek story live without older story vision original writer like superman actor actor yet story hope see another star trek film every minute movie kirk came onto bridge old uniform captain enterprise fun movie full action like fake special effects times otherwise great movie fun movie good exciting watch sound quality picture quality good definitely order minor nothing read went seeing star trek probably open mind long time particularly casino royale last one gave chance opening attack kirk ship transition back forth battle kirk wife baby kirk ship knew wife whole new trek pun intended casting main spot part tried give unique portrayal iconic part works fresh take times seem like original cast example accent made famous like special effects feast trek original trek may seem little stylistic chaotic also design enterprise along next gen ship versus original enterprise would like musical score something grew original famous musical briefly towards end overall plot good able breath new life dead franchise also franchise crutch time travel alternate reality story make fresh yes key plot device also set new trek franchise really pull original series classic consistent sure basically two alternate classic show new movie would nice franchise could watch would lead right series consistent redo trek canon lore trek fan thought first solid movie summer blockbuster movie season origin story told free explore much character plot next installment sure one exactly gene deep political social context substituted deep one roller coaster another action tour de force still franchise retain much people love star trek humor welcome back enterprise crew awhile saw movie two ago sequel one jump see series beginning good dubious found fun great ride saw current darkness fun original series really direction give history allow preface review saying huge fan star trek hate stretch sheer volume information star exhausting absolutely adore science fiction know full well star trek place significance within genre perhaps even palpable like boot original iconic crew enterprise capable hugely imaginative j j admittedly fan series either clearly greatly think gave ability take well celebrate effectively clearly brought team well generative likely please surrounded informative also please time making money leaving chance create endless wide open rest indulge film star trek indulgent science fiction fantastic seamless visual effects best ever seen going get story order avoid going many film works tale new original crew little known actor pine captain kirk film primary character well role probably tremendous scrutiny film focus meeting crew urban cho course primarily kirk film protagonist humble opinion brilliantly quinto villain television top film outstanding villain captain always solid eric nearly endless supporting filled quite eloquently known talented really huge production wasteful definitely reason gave four instead five gratuitous included comic relief rubbed wrong way less forgivable far trek found moderate charm great reverence wrath even contest different era visual would imagine say sure never read writing know certain appeal absolutely undeniable thankful fiercely clever film also attract great film ton action old come alive new bit annoying star trek ray fantastic film running long film new take series suffer consistency star trek series nothing hurt movie look beyond though said movie paced well entire story important outcome film throughout movie opportunity explore number ice space earth star trek though beginning journey prior original star trek series perfect entry star trek world new old story tightly nit tale retribution coming age desire screenplay well written confident fun whole great experience may make inappropriate younger depending family kissing underwear crude humor also profanity spread throughout well intoxicated overall though would say movie would fine anyone age video fantastically done p light grain correct correctly reflect lighting different even done throughout film deep important piece film like well space behind overall film excellent representation video look like great way showcase power home theater display audio believe every way powerful low frequency extension bass jump warp important realize entire dynamic range low high volume compressed comparison common action movie movie advantage full area filled detail direction allow stay fully engrossed movie overall fantastic movie strong video audio highly seen star trek lease time like new experience watching ray like movie nice system entertaining exciting would highly recommend sort fare fuse mine movie thrusting alternate time line accept enjoy version star trek great job blending classic love twist fate good action humor special effects know expect new direction pleasantly movie primarily stayed true original many totally lost first place movie felt really justice course small feat character met originally nice twist probably tenth great movie star trek familiar series miss lot dialogue full familiar star trek made sure watched j j take classic fi story lot fun plenty laugh loud dialogue special effects action satisfy looking escapism film later time installment franchise kirk rest crew u enterprise become familiar bunch travel space numerous kirk pine easy welcome world father born mother never along causing trouble trying win every pretty girl aside playboy attitude mind made complex problem join academy train space also present always charismatic quinto whose half human half blood made aspire never feel emotion become truly mesh well beginning complete kirk wily passionately pesky heartthrob embodiment composure philosophically stoic also along ride cho dig hokey accent one antagonism kirk central threat vengeful relish eric mission destroy associated federation responsible personal tragedy young inexperienced crew simulator find chemistry defeat whose afraid destroy conflict built nicely one film comes focus motivation many reasoning explanation behind conflict rush quickly took put two two together still think completely understand supposed whole film also call purist never half naked making understand younger crowd really relationship definite wonder really necessary make romantically interested one another think however material surprisingly deep struggle find balance love human mother half breed status upon moving sit back enjoy infamous band enterprise much fun make fun going back hard prompt delivery item far story line goes still enjoyable star trek movie excellent restart good series kind entertainment one fi realm see movie wonder though think director also direct galaxy far far away great introduction star trek good times old good new first going remake star trek kind indifferent never really original show spin produced however j j director interest cast quinto urban yet unknown pine captain kirk actor actress fine performance previously stated story fantastic stunning definitely previous save star trek wrath khan unintentional humor kirk khan wait see sequel brought like fi solid acting great script want taken away another dimension watch star trek enjoy good new great job iconic special effects top notch previous star trek humanistic strong emotional stayed movie summer blockbuster fun worth watch emotional depth previous maybe good thing interest fun movie despite simplistic shallow villain first let say thought film good full action excitement watched except voyager past really disappointed chose alternate destruction death mother star trek longer exist quite disappointment fact show enterprise constantly certain one making argument based current think critical enterprise never really watched like bakula captain archer anyway despite film well done urban really thing younger version tommy lee woodrow call moon lonesome dove younger really good true sword episode naked woman also good pick greenwood commanding pike much like original character however still unsure pine kirk sure sure really part hard time believing could evolve guy dad beginning like young pine would better choice think half half mannerism bit goofy unlike original ben cross good father ryder mother really older finally eric troy clone fact come nothing retread put non fan director chair like j j good director non fan really would think paramount would learned rick enterprise really care franchise much make name attach new film attempt capture new give older finger name almighty dollar however watch st yesterday enterprise somewhat regard alternate deep space nine guilty like enterprise mirror darkly see film alternate pure simple hate one since kirk pine talented undisciplined young man captain pike greenwood potential greater father man saved many deadly attack ship temporarily emergency mission upon u enterprise kirk along first officer quinto doctor urban officer cho one missing pick along way stop ship future past go soon future question star trek look feel film like nothing ever seen star trek television show movie due director j j really bring date also ton action future well cast well chosen original without far go fun summer movie die hard star trek though may grumbling might argue much action little thought throughout film issue essentially erase everything ever television provide weak excuse unlike every time time feel need fix still star trek lot table doubt bring lot new worth great casting prepared like since grew original bought second one love new series hope quality special effects much better original star trek like alternate story line written change historical making little human really movie numerous written history exciting action new way approach star trek universe disclaimer know little original star nice movie good special effects acting scenario dumb expect huge star trek fan compare movie predecessor movie really good extra feature bonus content would good story line little different original well thought great franchise interesting story crew enterprise came seen next movie came little concerned series would movie stuck tradition star trek making fresh back story crew came together though admit following story line bit good movie overall looking forward next film think star trek peaked movie interplay action great pine believable always older first installment captain kirk born shake well go screenplay really background great exciting story academy new enterprise exciting beginning end probably great movie stunning disappoint many star trek lore like relationship spoke fit character star fan skeptical anyone making new one pleasantly excellent acting story better thought end really everything together show major original star trek fan would give movie felt something missing feel old star trek honest human element reason gene gave us star trek know low budget fill show something went cheap way element hope clarity future humankind watched star trek since young child met deforest kelly various younger sometimes point addicted show came four series excellent right movie something excellent right right hear boo already probably think either crack get well nut debatable assure quite sober read feel something longer something star trek always reflection current political social overall time period true always message gene given us message going movie see gene star trek like enterprise remake original star trek movie movie took place star trek universe perfect certainly merit remind seen anything new star trek related prior movie like movie understand perhaps gave chance based solely fact take place star trek universe might enjoy see merit movie hope keep making maybe get star trek series franchise ralph j fitcher think movie excellent recreation star trek series excellent job buy work follow movie movie great watch even second time nice job nice see older great basic ray want movie without many bonus play default ugh annoying skip every time want watch movie way able change future looking forward another star trek good flick figured silence classic trek time travel back change everything love visual work acting engaging hope make lot may never amazing watched lot people good special effects enterprise gorgeous beauty ship mist feeling boom chest ship went warp see movie theater visual sound effects real movie favorite moment film enterprise blazing final confrontation ship simply awesome watch wish battle short also good urban portrayal excellent wish quinto pretty good job considering share screen real deal various original series fencing example oh speaking way character expanded little bit least favorite character original series fun movie pretty funny top accent interesting turned crusher character e teenage genius without making annoying accent goofy finally way pine right end film said right time made smile good ruin film fair point well first biggest thing make sense kirk made captain enterprise end episode cadet become captain ask commander fact pretty unbelievable pike suddenly made kirk first officer even supposed ship would believable though odd made captain already commander one drew ship away earth flying away old little ship really unbelievable kirk become captain easily give medal maybe skip ahead show becoming captain would make sense hurt film second original series definitely notice flirty relationship mostly part think would simply imply kind attraction even make one sided merely flirtatious think would kiss front anyone might allow kiss think would kiss back certainly front kirk thing supposed engaged girl perhaps fact erased alternate easy answer anything huh third pine kirk really seem like kirk original series watch star trek notice captain kirk actually quiet lot time maybe sly smile face calm cool suddenly spring action pine kirk much like overactive overgrown imagine maturing kirk alternate reality father new maybe personality summary film gave would mean perfect perfect whether trekker go understanding cool action flick place alternate reality expect like star trek whether love star trek despise quite different animal keep mind think disappointed may actually enjoy lot reviewer stereotypical star trek fan year old female never convention never worn star trek costume spoken anyone never even read star trek novel consider real fan seen original series next generation deep space nine well multiple times good movie around enjoyable restart star trek fantasy brilliant job casting original crew enterprise premise genius story differently original series spin pine excellent young kirk even swagger speech lots turns seat latest series sure bring excitement adventure us die hard stand alone movie excellent remake cheap way get going drew countless movie name get wrong movie good get made star trek great call movie something else also found alternate universe idea cheap way rewrite star trek history want good see movie trekker like might disappointed much riding j j whether trek would work survival trek period worked like batman planet anyone say star trek former category breaking canonical story line move one necessary trek myth anyone studied mythology change telling read king picturesque primitive stone wooden fort important thing core stay break canon given swift efficient way wipe slate clean create space retelling rogue captain eric comes century future kelvin killing kirk father process massive mining ship bam new trekker know severe messing past effects incident ripple kirk gang point meet young kirk made perhaps even reckless fatherless young man truly struggling human nature way never saw previous also razor sharp whose strength clear display course love story together urgent challenge thwart captain genocidal agenda wipe federation one planet time time elder federation save supernova federation powerless stop pointed key plot flaw time birth logical path would simply warn impending doom however deranged willing able destroy six billion obsession khan could supreme genesis device however getting kirk similar situation twisted agenda rotting soul movie could fleshed think attentive viewer see contorted mind fault destruction going pay movie joy watch bittersweet seeing perhaps last time without spoiling anything grievous destruction tight urgency nearly win scenario nascent crew overcome except shallow characterization hard find fault film figure already know whether want movie want know lot bonus cool stuff movie good quality bonus feature movie commentary amazing beginning awful performance hateful character kirk short sometimes believable script general movie saga excellent visual effects poor finish fun movie caught essence old quite well obviously romance believable counting officer commander really going standing transport pad kissing wasting valuable time thought movie well done worth watching added depth character star trek action great special effects fun seeing well known young favorite pine captain kirk sweet hilarious human ever enjoyable action filled movie could half hour shorter great special effects good good casting everyone else already given acting real trek fake review quality ray disc standard version side side comparison ray star trek one disc great found extra typical commentary even standard version much video star trek p aspect ratio ray colors normal natural without overly saturated colors pop screen like would see type movie significant grain color grading crushing many certain lightening skin remain sharp however even shadowed film many stair casing might poor transfer saw none one said think much difference video standard ray slightly sharper contrast audio digital true lossless dialogue easy discern musical sound score goodly amount discreet channel usage front rear sound however many effects audio touch low sub channel working throughout entire film set volume play roller coaster remote volume control audio stay constant lossless audio certainly good would use ray disc sound system focus solely quality transfer ray plot hope review help purchase thanks reading disclaimer come old school star trek lived long enough watched original run original airing read many movie pro con con coming old school like obviously like see canon finally saw memorial day weekend without getting would spoil plot offer one piece advice father star trek like marketing blurb literal description strong plot hint see movie get plot understand one fact got head laid ghost discontent rest thoroughly movie believe would well strong recommendation give going movie advise put back pocket simply take movie comes done know whole plot evaluate individual come mind first although captain kirk perhaps icon know character influential never saw bumper stickers saying kirk course character quinto marvelous job logical command first time human coming dual nature pine human kirk earth bit scuff captain kirk luster thereby making believable pine homework portrayal character little like facial treasure quite used chagrin large part plot especially one particular part dwell remember father star trek hey get see underwear like stellar character portrayal though urban absolutely spooky well character making sometimes seeming almost channel early tribute joy watch find got nickname much made movie release look enterprise yes would probably bit nostalgic seeing original enterprise remember well covered nothing life perfect one large gripe movie plot even artistic photography specifically action maybe old wear sitting back theater action jumpy blurry disjointed could follow anything happening short photography know style current fad among witness number small screen seem love un steady cam style major fault production thing found gripe c mon us old fogey star trek already losing vision make worse stuff give four half rant photography would go far call best star trek movie done definitely deserving comes home video definitely place collection story overall performance also stunning space part left little confused may need see mean star trek origin fact necessary feel like one totally candid casual prefer eccentricity original series slicker fan deep respect canon history tradition know new drawn universe without already converted needless say special effects absolutely superb first twenty one cinematic experienced recent memory casting perfect got kick seeing fellow gen x ers take hold beloved classic make particularly hate say never movie actually born play dead cho born assume mantle appear another movie frat boy bathroom fare hell else could quinto talk born play role talk inspiring starred well done fact acting made scene film one involve ounce studio wizardry trying comfort grieving losing mother home planet revealed fact big space opera battleship clash also think safe say pine firmly established portrayal kirk action star next decade call crazy bit every bit wild two fisted skirt chaser one would imagine young kirk story um left somewhat headache time travel tales knack old meet young sort thing really bad paradox unraveling ever shall bad sorry enjoyment much leave disappointed rolled installment really anything star trek crew know got scientific philosophical ethical intended make think new radio friendly trek trek done true summertime blockbuster fashion trek people dress enjoy fine guess think script could even better read various unrealized trek book fi never made watching chrome plated edition franchise left wondering hell would bad academy concept also one would rather film used planet script tale reptilian take time space think one year one type story would satisfied fan desire lofty intellectual grand epic would novice interest time however despite trek film made order inject dying franchise new life alone reason movie genre fan celebrate uncertain divisive times need gene optimistic utopian style spirit vision future much ever regard messrs certainly capably essentially celluloid equivalent rescue mission thank saving mythos plenty left tell much action humor genuine adventure j j star trek unfamiliar ground breaking television series undoubtedly find entertainment sheer excitement renowned space maiden voyage well versed annals star trek lore every inspired casting choice catch phrase brilliantly staple original universe likely bring approval nostalgic revelry middle ground even troublesome time shattering heart story conflict diminish enjoyment derived worthy much serious rejuvenation integral part science fiction canon kirk brash rebellious authority opposed nature always formidable however extreme intelligence aversion defeat found enrolled federation path father also chose long ago distress signal sent planet kirk way onto enterprise join fellow urban cho well stone faced logic driven quinto engage colossal mission save earth universe maniacal renegade eric summer starting x men wolverine star trek inspired trek amazing cast somehow get look surprisingly like older familiar chemistry believable younger famous starship crew like popular flooding last star trek tops stunning special effects riveting adventure legendary catch intense plot remains generally serious even satisfying blend humor provoke generous applaud hardly ice delta reek star empire back phantom menace plot mixture complex alternate black red matter science fiction jargon keen starship unmatched space battle stirring music classic crew create perfectly balanced camaraderie star trek goes great appeal diehard curious uneducated many previous much familiar making contemporary shiny new trek movie great place jump aboard become fan darkness coming never watched star trek episode life fact even really watch next generation little insight works star trek movie apart knowing various little like motto man doctor action movie almost spot got fist chase scene also got character development tension comic relief happiness straight good movie reason give movie star rating bad guy shoddy best everything destruction absolutely sense like captain pike watched happen saw happen tell happen yet obviously fully aware past perfectly safe next like still vendetta apart damn good movie p go see sequel much almost unfathomable cram one movie movie good star trek next generation fan personally much going lately however decent job movie movie really good get version play system due speed maximum minimum watch version nice presentation audio sharp clear video likewise audio commentary good minor perhaps went unnoticed drawback failing opinion lack inside booklet even glossy sided card still main thing movie price well worth cast put together perfect great story really enjoy movie everyone part tee goof original well put together movie many already said j j new star trek film far go positive raving watching much film skeptical wrong new feature film paramount hugely popular series becoming great staring point new seen future odd number theory officially film thrilling emotional introductory kirk father captain starship twelve saved young kirk pine leading aimless life one day captain pike greenwood bar ambitious rebellious kirk impulsively academy three later spaceship federation crew enterprise quinto urban cho film uninitiated well think alike spectacular interesting likable relate script sometimes complicated even allow inclusion first appearance screen since keep us interested admit intelligent still entertaining lastly add belong generation watching next generation original series fan series maybe big fan know lots plot regarding new film story internally connection original series might bother happen like enjoy film partly kept mind new film set another universe coming new version trek young younger crew exciting beginning end lots action adventure humor creativity keep time travel courtesy lost creator certain important planet filled pointy eared folk certain later series impossible might also find odd thing hide sword battle awfully old awfully nice young much pine blue kirk never little eye candy handle though like movie fellow adorable urban really cake quinto marvel would nice see actually still know going academy great summer popcorn movie sure star movie great movie time fantastic good starting well fun update original star trek series cool watching came together form crew enterprise review ray father star trek good bad franchise often j j terrific job alternate trek universe star trek trek ashes last trek film star trek critical box office success breaking record profitable trek film prepared bit differently take trek get good set get commentary track j j producer focus everything plot happy made finished example two ship another one home unfinished work bulk rest pretty well finished get extended scene young well finally find least kirk maru simulation finished film told nice touch film pine kirk eats apple test one scene star trek wrath khan also get costume design enterprise gene vision plenty cast crew tackling new trek ray exceptionally good lens see intentional give film sense reality plot interested eric anguished captain mining ship black hole taking past destruction natural disaster revenge ambassador responsible cadet kirk pine stopping alternate academy see quinto kirk pine urban meet lack trust kirk must face defeat earth movie entertaining noteworthy introduction favorite star trek new story line familiar kirk unorthodox young cadet occasion amidst danger become leader eventually captain great action great story line great job saga hope continue produce story reason give movie dark poor lighting many entirely consistent star trek story star trek fan said would give credit instead towards watching tried service part way movie stopped finish movie watched many never problem made fun movie hassle birthday film good star fan going watch next one soon action movie feel like star trek fantastic personal favorite warp effect great continuation franchise rhe movie terribly minutia red ear wearing would prefer still enough due diligence keep happy altogether pleasant cliche alternate universe enough suspense make sequel much movie one possible origin original show awesome story good ever since crew original enterprise end star trek undiscovered country film franchise taken besides first contact subsequent facilitate demise franchise seemingly final shovel full dirt coffin original series cast gone franchise least box office like watch regardless popularity slowly away however young director j j building name alias lost decided tackle challenge making star trek relevant today large accomplished goal flying colors although without along way good since original series still removed show heart star trek franchise people flock see bakula film showing early space exploration biggest success film abound throughout movie since care edge see young captain kirk get little feisty young raise eyebrow young utter grumbly along time period choice casting also spot easily imagine pine growing kirk quinto also believable perhaps fun character film watch though urban cantankerous even young age also turn easily back appearance old hand turns lot cameo also right flow film seeming forced desperate bad main plot film time travel spoil entire plot review suffice say trying figure plot like trying pin season five lost try want since time travel best theoretical concept succeed many times film find wondering huh though villain equal captain kirk instead get character much less development best star trek besides part featured khan borg interesting though eric role best enough character development make viable interesting villain although star trek wrong still many right compare batman previous batman gotten system thus franchise could move forward create remarkable dark knight see exact thing happening star trek though may bit peeved ending still one way another road hopefully many star trek come saw film festival lot good huge fan music acting atrocious gore great say sucker bad horror actually entertainment biz people clue much real hard work imaginary effort goes even crew watch first one first maybe chapter excellent play good adaptation film truly set works film along side little hour us able sit front watch film us lap tops watch film many us must find many unavailable except nothing less tragedy truly hope soon wanting see another part forest little film still available format shame rate film even though seen one star rating lack distribution finally able see another part forest film well cast acting average sound script still disappointing film seen form distribution interesting take story drawn curiosity film pretty good acting interesting good erotic spoil bit preacher wife reading book later another character going never reaction reading great little insertion good realistic abstract clearly painting great need signature brushes cute really episode always yr old series ago sat recently watch going school daughter via prime also character cute funny smart assertive good little girl series daughter laugh also love vibrant colorful personality wise cast around backdrop program ritzy hotel new york city said character wealthy girl via mother full time nanny care full time private tutor apartment luxury hotel think trump something like run luxury hotel often away going said hotel around main character could possible self portrait author kay though love series probably allow daughter keep watching think could set little fall average little girl access much wealth average get go continue merry way carefree unfettered unchastised cute series advised little girl watching act call may discussion yes agree low budget movie well done interested done think end times rapture church cynical conspiracy really movie thought provoking recommend nice method getting old tried success great scout funny western comedy starring lee great scout reed joe half breed partner kay young prostitute running away house ill repute basic plot reed trying recover money stolen jack along give film sheer entertainment value limited edition collection excellent although bare menu option play high quality video sharp picture good colors filling screen funny movie lots good humor lee proved good actor among day cool lee great scout cool reed joe drunken half breed cool martin billy one prairie trash totally cool enterprise right well semi cool principal deliver proverbial script film tad short screenwriter belly part gently funny bone scene joe goes treatment social disease hoot though instead level blazing probably akin cat film way offbeat ribald western exercise instead give film sliding triple fun movie family movie name well typically enjoy non fiction little change pace decided watch movie lee paint wagon long favorite mine though give shot delightfully funny movie plenty silliness cast recommend enjoy good documentary show actually market year depression interesting educational like portion recording basic much easier follow along rest get basic tai chi tai chi series good starter better mass produced commercial yes bit slow going tai chi speed dating another reviewer gave bad rating sizeable portion beginning tai chi well wish reviewer would watched way routine follow along master basic silk still go back part practice see well match grand master still good information detail instructor different helpful bit hard understand video great way understand chi must watch times actually able gat right great good exercise balance love clarity sport recommend video complex set simple improve sparring watch see fast documentary simply condescendingly basic journey human understanding universe though fancy special effects beautiful imagery similar content worn several make lackluster presentation great program explaining universe well flashy like recent like documentary basically fundamental physics govern universe unification quantum mechanics general relativity string theory documentary definitely worth watching anyone sort thing fascinating release date good video current thinking wish could cosmological bit time sure learned good deal mostly loosen ordered classes also tube quick landscape amazing watch see quickly entire landscape took shape impressionistic landscape beautiful could easily take realism set interesting watch easy follow lesson paint impressionist opaque sketch painting fill sketch mono hue fill mono hue light coat color give final heavy coat little little looking forward price kindle book really clear colorful computer informative various painting different story interesting way one tried gain independence nothing name misleading hi thanks documentary one unexplored public mainly political interest however feel title go well documentary focus definitely eye catching title yet way far reality collected information old various well collected grand hint alive well known plane crash peruse political time documentary considered implement improve postal service police service would success story anyways thanks awareness movie low budget original deliver like although material stealth video around interest prime stream free prime get free streaming free shipping annual fee movie first week service plus free shipping prime watch like stealth art deception probably rent free plus great offer overall video worth watching son love fun watch show tell time great show nephew thought funny fact could choose many different show plus cute show ignorant little girl lots sweet show love watch side note amy love amy funny silly laughable watch glad live streaming enjoy good times give four nothing else rose bye person think good hope like like one different well put together night movie good clean basically like concerning like type movie good movie good plot name tornado valley lot tornado valley great movie watch would recommend movie good story incident well believe story told good movie young man attempt love working well suddenly something spoil movie well nicely directed part potential different guy episode pretty good could little story line good like good trashy movie comes slasher wow writer go board one lots plenty gore pretty sad story filled top sex dialogue really need twisted rape scene like rest even death new one man pushing limit found self squirming chair killer would hurry kill next jerk got house worth look like type slasher comedy even think watching non gore hound room oh great heavenly days slasher splatter comedy movie set bowling alley two horrendously annoying bowling square masked maniac one one w rape decapitation sexual mutilation face bowling ball polisher fan blood everywhere silly wise purchase however crave insane gore sick sense humour mind barrage demented perverse dream come true hate rape scene near beginning hate rest made laugh loud five rape vengeance slasher know whether movie last fifteen actually much gore camp sex rape creative undesirable fit onto one disc admitted thought totally sick way top every way shape form definition shock walk room bowling pin penetration scene wife stayed watched disgust yes read correctly definitely throwback bad theme whose movie maniac back cover hint joe also pornographic times erotic either sleazy like divine pink sleazy found least bit say sound heck like one microphone everyone trying shout understand reason behind throwback stay buried past annoying wait die bash one face kept smiling real irritating smile like mentally deranged squirrel fun part every character undesirable die cheer rightfully gore real star see trying creative still certain level shock every death bowling sex rape vengeance tale bowling alley understand every death bowling sex bowling shoe scene retarded ball waxer scene best actually step back overly gory live feed previous effort felt professional restrained step back found enjoying bit moral story perfect game one opponent walk away obituary long rape scene bowling pin penetration death sixty nine genital mutilation deep bowling pin throat head ball waxer bowling shoe strangulation eye stabbing crushed head multiple shotgun also live feed hanger hell hath fury specifically maniac murder set spit grave freeze pink female trouble terror firmer anything irreversible street trash easter bunny kill kill erotic nights living dead seed hatchet cabin fever massive improvement weak hostel live feed completely hate gore nasty sick twisted exploitative simply watch fancy idea well made technically dubious dialogue recording aside truly exploitation flick done fan enthusiasm sensibility topped wonderfully inventive superb gore acting also bad said amateur sure mean bad although course nothing ever could glorious movie acting fun go heart right place amateur appeal part even expletive filled script works context film exploitation rejoice pass rest us big bottom line one following offend even bother film exhausting merciless rape scene extreme vulgarity abundance obscene language brutal gore decapitation shotgun blast explicit sex genital mutilation sodomy want ruin film nudity goes bit bad acting corny read mixed personally thought entertaining film camp modern day filth bloody gory times quite slasher flix rape revenge flix gore strike great comedic blood bath hysterics mild horror fan seem bit unsettling film definitely catch guard probably leave sour taste mouth solid obviously limited budget please please keep relentless spatter trash coming movie pretty much thought going rape scene pretty brutal close beginning sex gore nearly perfect something f bomb used amount times didnt realize till watch horror gore time main hole least times acting pretty bad death make overall great gore sex movie least check one watched movie back good really brutal always see sale realize ordered seen one think would buy anyone come across another please let know thanks good movie awesome sex violence gore throwback slasher able go little could cause made feel like thing missing say film already said absolutely brilliant writing acting effects rest us could care less big name status quo seen little past comes anywhere near entertainment value genuine visceral punch soon classic like twisted scant independent come across provide similar entertainment top head couple come close irreverence inventiveness linked em check em cheerleader dish doable clear video may try cooking class serve dinner party watched many art mostly watch membership love watching practiced artist go process start finish every artist method find interesting always learn watching work next best thing workshop recommend video level great story ago best present day surmise fascinating visit archaeological city architecture art like good showing lived stuff even covered major us today belong need stay away new multiple times video want go lake instead even orange agent orange program interesting watch get see quite lot new would love visit many mystery good knowledge bases regarding sensitive life subject great video museum seen many ancient seen love see museum educational union world like library pretty much covered see older video good found narration score may mute amazing likely see lifetime sadly longer traveler friendly enjoyable educational gave insight life good culture gave birth th good people know stuff good historical insight know much still know seeing video documentary done late thus give good historical information though worth watching world still looking tomb like product like history enjoyable visit back time also time introduce younger group story would taken time read enjoy watching although little slow interesting photography beautiful underwater amazing think try build underwater museum coast palace nice footage actual film probably pretty grainy nice actual international band wow dramatic like history discovery channel beautiful beautiful nice several nice hotel nice filled back ground history reading homer thought good pointed would known watch enjoy history enjoy think know may true see listed discover history al always little leery seen really bad production information narration one good one though say anything big shot neither make reach hat nicely done brief good overview geography culture area picturesque enjoyable different time country beautiful traveled world would like return nam great interested little brief bad show animal forest fire little one going upset might want skip know destructive though certainly would good warning play fire well done bit dry times time line little whole worth watch watching documentary obvious older presentation however still find interesting factual interesting documentary full people like history video best way get younger ancient history almost watch low rating read negative negative given people upset film support world view first go watching prove disprove whether story flood absolutely true yes course would disappointed show give anything guessing lot negative coming like interested take story many could might find interesting show give us solid proof one way another offer us opportunity actually think beyond black white might said keeping open mind key getting video may difference whether disappointed mind think beyond handed book many surrounding story better look mind turned especially science many want let go movie bad dont think worth money considering age like lightly animated comic story line plot solid worth watching like see added iron man movie saga would spend bit time subject trying rush many per episode guess actually go new learn new back fell love short video really cool place cool video lived new city home interesting informative beautiful scenery one head coast enjoy beautiful shown firsthand hoped video would include little title cape fear done center console stink pot still information history excellent typically well done video made clear travel albeit good one nothing description misleading simple informative video good job explaining recreational geographical three pretty people never video new potential vacation getaway good information beautiful cinematography viewer good idea beauty wonderful majesty creator god dark winter perfect antidote summer ran several times feel burn enjoy looking long interesting bring natural beauty uniqueness watching film thought four star rating really one kind national geographic like told beautiful vacation nice dream go hit lottery vacation rat race vacation pleasantly video narrator several tropical watch travel show beautiful gave lot great vacation get away would recommend anyone looking great go interesting seeing never may want visit future short point would people traveled popular may want adventurous next vacation say one two explore grand son anything nice small also fun watch interesting history even though one really much anything wonderful part history always fascinated delighted discover video available streaming beautifully well talking knowledgeable interesting highly recommend video several much shorter available pretty bad nothing panning camera work showing almost nothing waste time highly recommend professional historian please take mind found short documentary informative entertaining narrator excellent job video full great looking come originate many beg study many nice original rediscovery bit grainy picture quality series good nicely done without dramatization discovery history channel subject matter great quality film little crispness enough make bad little however always felt truly people inspired legend high state civilization another good example tremendous volcano sinking sea always looking ways find research found valuable already done research religious satisfied anyone getting depth certain subject find satisfying middle watching hilarious know incest dad bit top despite micro budget really hit nail head twilight crap think production stupid dialogue honestly reveal crap twilight big budget movie would given older stuff big fan good show otherwise grand daughter video adept kindle fire quiet time watching bob builder series good good plain fun great movie every thing like educational enjoy show must bob builder watcher typical bob builder content watch enjoy fly fishing love knowing history enjoy film give style video four price get real sense like travel new see movie considering people spend plan execute trip think sense pay witness someone else exact thing sound little better possibly short fair use clips movie would given five movie low budget really say want see men really go think country backwards fight country freedom honor family made freedom think respect try understand done seen wished would never seen front line say watch movie honor fallen standing need watch great movie reality show get together free fight like seal team action kept involved lots action kind still undivided attention movie good job showing pain seal defense country good presentation journey darkness well told tale us peer shady necessary must make extraordinary duress full knowledge sometimes love face result lived edge cliff complete mission story us respect honor must live see good triumph evil like action lots believe would appeal modern audience one thing much human personal lots going dome wait see happen next glad read book got real feel mission would buy already good movie would call two popcorn movie little unbelievable near end pretty good dedication thee team member team also question bring back life cost war always higher flag personally gratifying portrayal protect us harm highest seal team cream crop fighting men film fairly real people real life movie lot profanity care even without language movie outstanding good story line worth watching movie turned real surprise especially tied team death son boy shot sad see young boy lose life wrong place wrong time equally sad see team leader die well following job bee given good movie enlightening adventure war people involved picture quality good sound kept reaching remote really good movie see one one pick trying tell went movie much presently movie going win worth watch thought little slow overall interesting set time also interesting operation desert shield desert storm pretty intense seal team group way back insight current work dedication navy team demonstrate bravery beyond acting little poor times interesting would recommend watching dedication country movie kept interest believable little slow several overall good movie one seeking truth truth seeker new gave insight n w medicine part seek truth like cover recommend documentary great movie footage beautiful wonderful non traditional feel early surf flick something like cosmic incredible fun palpable respect sport comes well particularly like segment generation true soul surfer wise move use voice commentary part movie reason instead found conquistador segment completely context rest movie work regardless one political stance work opinion stick please buy keep making much better average surf movie exciting movie whether believe chase especially entertaining worth view two action every minute good plot line boot lot could take good without overshadowing plot especially car driving second story office see part original district b pretty much different plot watched movie twice first time ago thought going action made predictable ending first one action second disappoint first movie district b terrific familiar art combination martial belle art sequel good live original love martial rent still plenty action make worth great action film keep interest throughout movie amazing movie family breezy action man brought us fifth element appealing great film best statement political philosophy first one energetic exercise writing cinematography sure felt one took greater risk way choosing make central moment tension plot universal rather personal felt movie first one good way feel movie true democracy first laid country maybe simply way far past number local level many liberty equality brother sisterhood translate smoothly across constitution worth seeing thinking cool revolution corruption cooler movie good plot lot action blood movie lot fighting good movie age style substance easy dislike movie music book movie question pretend substance money case one wild way top ride great action great fight cool costuming eye candy degree briefly government plot bring district sort walled ghetto culturally government displace everyone create false flag operation killing trying make look though bad district need get really good cop way dig deep frame false drug trouble cop cop murder caught video framed cop needs team bad guy bring evidence light thwart entire mess wrote produced nothing stylist shot extremely well whole lot fun chase foot less beautifully fight also replete host colorful type music normally choose listen worked frothy political one bit creepy conspiracy side unfortunately enough make true statement bit weight watching film change life party good time around order pizza crack open beer us unfortunately seen original aka district made crew except director morel background information usually sequel missing according many sequel ultimatum aka district ultimatum strong film perhaps viewer appreciate fine film making without comparison series al wrote script rather plan choreography lot spoken dialogue fast paced thriller story region district rest group five manage control drug ridden violent region basically tale two men captain undercover cop good police belle ex thug previous film gang order defuse neutron bomb supposedly film later district control power government bad police destroy area rebuild according greedy action story action immensely exciting belle discipline known moving quickly efficiently environment human body though acting minimal live action role belle watch thriller screen chemistry magnetic standout film include much tao principal gang queen much oppressed president evil turns plot cinematography superb musical score rap music mood film becomes irritating repetitiveness escape film high excitement high intelligent dialogue put bell together combustion authentically credible harp march one much first sure much dislike one plenty good first saw original like one like first one site prefer subbing version dubbing away director dubbing company director thought oh martial art way move quickly efficiently involve striking another person martial combat hence word martial name energy fun artistically slightly funny although writing style depth energy film made like dance acrobatics cinema excellent stage story corruption slightly interesting always tell story lived twice without desire cross border understand worry even limited reading understand gist film watching district ultimatum subjected tired political subtext also sometimes ridiculous plot writer producer historically sold heaps movie virtue voice social conscience awkward matter though first movie sequel equally two belle back another bone bruising round fight c also chat sur tableau three went first film government yet remain barbed wall still tall menacing still lawless territory known district civilized near future uneasy sort peace law enforcement ruling district corrupt intent stirring enticing end game bleak thus raking resulting suddenly available real estate belle district well meaning rogue evidence police matter time old friend formidable baldy army captain assigned police special end found framed locked fellow police happen honest cop away go striving save unsavory populace extinction gratifying belle obviously get along share sort chemistry really enjoy really story vessel astounding physicality athleticism belle way art point point b expeditiously possible belle chase physically taxing make absolutely jaw dropping stuff like diesel chopped versed also practitioner karate several brunt martial dynamic beating back really tearing heyday like whatever props handy explosive fight one sequence even group priceless van painting plenty go preposterous route maybe f moment undercover lithe girl dancer never mind obvious discrepancy body speaking body supporting actress got slender bod memorable tao head gang sporting murderous tao serious behind two one actual film brief segment bonus feature district ultimatum like predecessor great energy pounding hip hop laced gritty atmosphere reminiscent like road warrior escape new york particular attention mean urban sprawl battered provide belle ideal venue show crazy leaping scaling belle really one poor guy air one floor viciously table go ahead speak poor guy say pain worth action bonus material making long sub production video diary many days location music video termin extended include extended sequence evidence police even fight gang storm secret stronghold sub look ultimatum great movie specifically fan agility move across half town via car truck hi rise add great action fun story subtle humor district b still fun fight chase well done silly plot fun movie cool action action strong story line watch action fan martial like martial like movie dubbing bad though seem really feminine match think sound like say action martial phenomenal much sequel amazing got tired watching action gave dubbing poorly done side city become wide spread unstoppable illegal immigration social u border illegal tight acting great martial art graphic shoot overall good movie sequel district b original amazing almost balletic done case two sport leaping around urban landscape floor across age wire wonderful human amazing acrobatic also film interesting element social made political get said sadly eventually burn plot front first half thought would end time favorite action story logic end clever political set turns silly action feel bit repetitive still glad saw doubt film return ray default version change set menu watch much better action choppy times together bad especially movie think borne lot fluff galore much flick needs left wanting action sub plot get bad sub plot good also bad considering movie platform two lead acrobatics bill van scene plenty interesting first one one almost good little slow start comparison though could impatience awesomeness knew come movie well engaging street president surprising integrity course fantastic action message well delighted see belle reprise well son movie really smaller one big like lot action enjoy flick action expertly done look real intelligent great watch also learn little district b ultimatum good original true still interesting plot great action two back time little fighting little less see district b first one five star movie first one one good get anyway enjoy edge seat movie lot action right end cool fighting little far fetched still cool would better instead gave four would recommend anyone good action flick check first best film highest big step last film great heart imagination fell quality two top billed back anything really time since last movie number fight much better sound design much less hollow well music much less simple repetitive story predictable still pretty darn satisfying journey ahead like little bit plot action get nice little ending well moral made movie good step b mostly speak though movie personally mind fun watch knowing exactly expect based first part movie less expectation exciting decent action fairly decent b movie action plot good regular movie lately acting great even realize sequel stand alone movie action movie two film good action throughout film lag way moving right along social commentary film frankly given film talking right line movie going dig first one hope prime program movie action adventure flick pretty good shipping prompt good e trader first movie district think one lot still get way story think much film fight scene club love going like movie would go far say love since much first one plot small action like forget plain enjoy movie action great think truly like lack going closer world whole lot us speak wake movie industry much see feel good action hope make another one first one great action movie one enough action make forget lack originality everything movie especially lots action noisy say least fun action movie thing stayed movie acrobatic fight ridiculous ending action movie especially acrobatic hand hand combat type fun anyone thoughtful another thing coming see plot movie excuse running plot big bad government blow large block housing run inhabited lots people low relative nonetheless two one cop one street hustler friend cop special ultimately defy man stop happening thus saving people end decide government idea good one blow anyway completely ludicrous ending stupid stop enjoying action stupid cool seen district sort sequel understanding good throw ridiculous plot sticks nose end run away film fun set future good action maybe great movie something pass time first one funny since bought st movie based purchase one problem great job first one reach bit higher second one achieve would recommend watching one since ultimatum immediately first one story line set glad complete evening entertainment certainly complain terrific awesome definitely worth watching amazing great story line impressive cinematography kick ass guy movie mind reading headed summer watched lot destination one really good quick overall view unique popular like interesting tour city wish would given detail good tour city want really enjoy video watch one boat narrator sense humor trip like fun great background music famous opera bright vivid color great narrator best among walk bad thing priest holy men speaking us else would five rose bring personality person well known people episode viewer gains depth view personality rose still one best business episode delightful experience remember correctly interview delight since rose good interviewer although main thing need ask simple question let expound interested real person behind find deep man sound project involved good interview great director lee wish interview longer considering important crouching tiger hidden dragon cinema would hope behind interview one inside landmark film son best time cartoon childhood always loudly room love like option watching go entertaining going learn anything fun admit like take away life chum chum safety net help addicted son show watch show home grandma funny catchy quick many cultural pick well use reward little one brushing teeth reading six year old funny interested daughter show one ask sit watch happy happy yr old enjoying little yr old daughter show say catch watching along need love show often watch appropriate younger overall well written show way educational love show always favorite funny could worse suppose think series level order appreciate couch potatoes infrequent love watching chum chum time time interview peter completely dead guy alan time laughter great group funny hilarious entertaining disappointed comedy amazing seeing young believe stand confidence stage presence remarkable funny like watching different nice way escape good laugh long day work fan grab special go buy feeling brave listen finally go see live majority excellent made change channel part sake routine subject matter relevant couple stand funny definitely one better highly recommend watching stand comedy season would prefer uncensored still funny pretty good season let go hilarious young cute precariously funny definitely watch need laugh fact watch everything genius nurse bat man almost made get car accident pandora check made channel show solid hit miss great outlet lesser known coming quickly clear picture negative fast forward rewind efficiently guy pretty good run many appear older new comedian mildly funny guy great slasher film pretty good story behind thought going watch guess would happen next threw one point movie rewind extremely fast would like see girl typical smiling time prissy girl character crazy mother knew something wrong know exactly end year old grandson show science kind child know could get like video cute time yr old wish could get could play without connection way figured yet free video prime little entertaining show catchy music always kind lesson daughter love show great learning experience episode movie good one never seen great lesson let know get sick prevent getting sick whatsoever watching good important son even though stand cartoon educational good quality video like plenty love music content yr old love show look forward finding episode prepared super annoying though three enjoy every bit nice look forward animated time wife break enjoy watching useful engaging conversation recommend prime member joe love science excellent preschool early elementary school yr old boy watched entire episode think saw whatever reason cute educational could watch show galaxy note however daughter watched computer happy available touch button action kept inquisitive year old attention entire show sure agree pushing flu vaccination particular experience flu either work make sick nine year old informative easy retain boy nine autism year old attention really phone purchase great idea us science good educational show small repetitive good job stay away controversial educational tool two old interest watched way untill way episode came handy previously ready go sure wish another episode available shot one personally watched allow year old granddaughter watch right bedtime totally engrossed cartoon time sleepy ready bed think cartoon calm relax time bedtime added benefit done good job making aware importance fact husband day love documentary message showing suffer eating unfortunately new cover bit really appropriate given film message anyone know get former cover biggest news day naval agreement even prohibition return natural waistline theater newsreel truth told even lovely younger better beautiful woman would come along well later set find culture beauty first place set bar perfection high never could even one want reach beauty beautiful filled computer beyond one could even call real fake image shown public ideal way look ludicrosity overwhelming men even average men saturated perfect capacity love ordinarily beautiful publicist us know media bombardment perfect result superficial men weigh amazing self absorbed beauty like rate tired one ten scale low outrageous hear speak whole fairness never met anyone quite like men said openly quite mortifying wonder even real story shown twelve year old quite frightening model designer favorite tender young age mother amateur model young push highly impressionable daughter towards tall slight frame within woman modeling world grown outfit talking doll microphone school principal concerned budding attitude quite amusing ordinary child psychologist effects could girl age inevitable crash happen among destroy self image self worth legendary fashion photographer mark much jest fake photo industry selling laughing real laughter beauty advertising selling cannot live bevy beautiful people without even showing item wanting sell distort create picture beautiful build think want need extensive look plastic reconstructive surgery surrounding concerning permanent damage number neurological may get resolved leave suffering migraine irregular facial type surgery highly dangerous people going knife convinced need better fixed beauty sapping trouble many board certified practiced weekend tomato yes say tomato medical doctor enter specialty little training good tomato carving sure always ask surgeon first like may seemingly appear obvious necessarily many general taken weekend little precise knowledge considered responsibility homework generally easily done phone many horror make gathering factual information facing endeavor getting back story lovely little girl woman go quite awry fight keep favor business well known designer circuit child two conflicting straddling becomes high wire act quite beauty ability walk like sexy woman growing status young also convinced everyone jealous lose perspective shifting world far big dollar world beauty exterior part glaringly focus must shift love inner part us cannot touched poked may already know although constantly deadly fake outer beauty get difficult lean curve knowing understanding way look make us tick good chance getting learn whatever good kind worth time billboard street sexy dark comedy like twisty story lust greed temptation crime cool setting great camera work realistic dialogue lot entertainment best part control tower action fun want miss ending long fall control tower well beyond mere physical dimension control tower tale spiral hell amidst roger ample looking beyond viewer imagination curtain story closure perhaps learn sequel prescient presently silence sure may voting may involved creation direct wonder suggest cute time anything see plot paper thin well could condensed saved time rather boring honestly think music video end best part entire show said free could lot worse better thought know anything watching learned something like lewis may like c lewis fan doubt enjoy short interview stepson cool scenery got main story line focus entire show visit ocean since vacation several learned new area also one unusual nothing first becomes quite bit different different unorthodox sound clearly purposeful move put viewer different narrator interior occasionally funny always pretty look good reminder recommend anyone seeking truth god read see series little dry maybe talking good insight pay attention though interesting study interesting interactive simply watching discuss various perfect set use real effect god life surrender trust everyone touched god way whether aware documentary god use even small amount faith change forever spiritual minded believe listening heartfelt voice holy spirit older documentary message powerful extremely first healing brother hospital always three although seen brideless groom number times always good go back whenever see great day timeless even today free clip course really complain however mostly short clips little expect see much good side may jog memory great old may want see see first time less something whet appetite never going give five well done commercial video credit seen episode yet episode disappoint world tour find anywhere last weekend someone help please really get money worth world much learn series crazy difficult find quality information kind speak series clearly well educated well spoken lots smart people really know stuff comes esoteric knowledge feel like got money worth information kept entertaining enjoy series ova fill back ground especially well giving influence outlook life colleague mine watch film good story line end bit rushed though much sensitive compelling bit rushed end perhaps reasonable given length portrait main character made worth watching really learning involved quite interesting story line good check major fan living dead series de went watched horror one aka possessed film set time though story belong th th latest film absolute hoot watch appreciate incredibly low de constrained well strict franco film franco gradually relax faded away entirely say film story line simple read synopsis accurate though keep mind talking middle old crone beginning satanist girl anyway face times movie hairline old crone classic assume different old crone offend shock people sexually inappropriate also hoot hear watch like normal year old self think film suitable especially think appreciate fall either category p like review scene reason old crone window given injection sodium order force spill baby intended sacrifice preferred die spill modern type top hard objective movie like hidden room well suspenseful piece work script direction acting excellent intriguing idea edge last minute saw last night much seen streaming speak quality may receive plot clive wife storm beautiful chilly woman stepping time man bill going take gun suddenly kill storm family dog suddenly disappear suddenly yard case superintendent hanging around amused much columbo character peter rooted even comes back room ask one question found fascinated plot really involved great find thanks mystery video good insight life executive protection team would great kind line another aspect life duty executive protection agent watched video several times much read material section south team aspect video well covered well used video opening one training agency many aspect could video pertaining executive protection specialist covered factual good video subject good choice two different team chosen make video well renown well directed engaging movie story line good acting better good although old movie one worth watching movie corny hackneyed effect get often old fresh although bit stereotyped somehow come across well instead way guess joke last name caution always jump danger great film throwing good judo well usual last fight tell goal completely destroy tidy modern art apartment setting furniture left upright looking like tornado went pretty crazy great face see film caution never neutral job tough enough storywise perry mason citizen seven golden men really fun film classic starring podesta podesta conspire rob swiss bank gold bullion entertaining caper nicely seven film podesta bank client get safety deposit box strategically radar device help guide male vault bank bullion safely men posing city tunnel underground lunch time utilize water system arrive spot vault fun plenty murphy law go around along enough double cross keep viewer guessing film ultimate outcome reality anyone making seven troy ounce gold far fetched farce much fun watch entertaining light hearted afternoon matinee closed included seven golden time hour color watched movie ago yesterday still excellent film wow four part documentary interesting informative look training use us armed little dry much information format effective show dedication become sniper included battlefield force multiplier pleasantly inclusion segment us coast guard excellent series covering army marine corps coast guard advanced sniper training marine nam era particularly seeing weaponry tactics good information obviously drama action movie cinematography could little better information could engaging manner naked flame k deadline murder made canada national park minute drama presentation last acting role forbidden love interest lived full life age starred many series last acting performance better known peyton place film train story pride among orthodox sect group people idea man marrying woman village film rape murder arson bigotry basically town bully easy hate unusual style protest folk village drew theater title naked flame portrayal rape film today film industry standard violence gore predominantly legal justice sometimes always seem z movie without jiggly sweater audience much scenery architecture upon acting anybody film laughable attempt make serious movie ridiculously low budget yet doubt big hit gratuitous exploitation incredibly attractive confuse black white film also deadline murder version different story cast version one admit glad bought watch taking route neat throw back see used informative entertaining understand history super chief unfortunately era never see unless us orient express grew still love seeing grew wonderful color footage one great world hard imagine us lead world train travel complaint feature verbose endless former crew interesting pertinent tiresome first found fast get good stuff fantastic archival footage lots coverage dining car none sleeping car movie enjoyable documentary perspective ride turkey good film spent remainder time spent various turkey never make turkey film lot historical cultural information beautiful scenery little time spent watching journey countryside motorcycle like enjoy film curious movie since eighth grade looking movie watch impatient point bought movie rented commercial ad far misleading bet lot must disappointed movie innocent movie trailer amusing love p short movie movie took available day good wonderful world ben one time music star pessimistic person world ben major grudge toward man greed ben character arc viewer onto entertaining ride rooted ben get act together throughout entire film opposite love interest khadi sister ben best friend ben much wonderful life brother sister film uplifting idea life worth living remain strong difficult times really film definitely think worth time investment watch great performance pessimistic man whose trouble career family ultimately led give world forever long suffering roommate sister uplifting film film idea taking pity party throwing white male throwing mix two would agree far less fortunate situation seem really positive grateful though may roll statement typical true change different us us look hopeful love film never failing pessimist love film probably many may place little film category critically visitor last year depressed man redemption association necessarily bad place goldin written directed low budget film story human rather effects vampire result moving experience ben singer depressed pessimist daughter weekly state mind world weary place live works proofreader rent tiny apartment man k chess diabetes despite need daily insulin bring little light ben world one point diabetic coma must ben genuine concern friend absent form work subsequent loss eight year long boring stint proofreader ben sister khadi brother need live ben apartment khadi kind eventually way ben frozen heart khadi way remain obtain green card two married ben negative outlook world almost one warm khadi transformation real ben new look glass half empty philosophy exceptionally fine role contribute excellent support goldin found necessary insert god like character baker hall seen ben unnecessary trick really make story flow small flaw otherwise touching movie harp wonderful world written directed goldin first project ben singer really big pessimist ben successful career folk music singer one bought acoustic album jaded world days boring safe desk job proofreading best friend roommate goes diabetic coma ben world sister khadi comes stay brother ill movie obvious opening yes pessimistic one downer even one point two worst remote positive thinking movie really put ben life absence friend introduction beautiful woman relationship daughter loss job attempt sue city depraved indifference oh mention man baker hall obstacle mouth weed simple life sitting around chess put hold hard time seeing excellent positive attitude face definitely funny grouchy dark think director intentional choice everything still certain charisma even shutting young daughter great choice gasp knew something kingdom hospital king series creepy little girl ghost film character lot self shy trouble really communicating father even though desperately relationship repair khadi watching gradual coming shell sweet khadi breath fresh air really deep culture came looking sounding authentic realize accent amazingly good way way really grab attention hold good way almost ben fall love ally walker ben ex wife recently saw toe toe another appearance quick long seeing work unexpected role toe toe depressingly indifferent toward daughter almost unrealistic level opposite mother daughter even day ben said something destructive flip side though great scene vulnerability happy new life dragged daily basis wish music movie little guitar scene hear quick sample hear sing till finale soothing melodic acoustic guitar try find somewhere favorite quote film shame talented something one ben folk music finally uncharacteristically ecstatic looking group really believe would something nice pleasant today short attention crowd maybe today would rather play outside video unless ice show rock concert front deviation reality aside still nice see character ben get back eventually everything movie matter perspective people might find boring felt added pleasant movie people idea world better place seen late warmed watching exploration another culture making ben enjoy instead ex wife living big house big shot felt like message quote different movie death smoochy change world make dent corner ben way bring happiness people around instead misery three soon fish fall sky character story wonderful world working director behind montage three short probably two three piece together done individual cast first one director actor one people praise montage put music fourth look wonderful world like one behind play local movie theater cover new ground quick review movie terribly short unfinished ending probably would version romantic often cynical drama one thinking deep introspectively one life particularly comes whether enforced valuable money concerned losing losing human life movie love story unresolved happy ending way get short also meant less overall good movie realize cynical life saw movie took good look already felt similar hero film point money end life fact end great movie either see movie huge fan ever since small role wood seeing love basketball deliver great daughter film great piece story depressing movie ready first watch wonderful world ben singer pessimist turn perspective life around good friend becomes ill soulful slice life story touch light humor film us realistic point view world lead character ben felt times life love well hurt ben look life bit sunshine realism film left humane story think film due rich simplicity end left funny heart warming film would recommend anyone found great role film great engaging found really getting movie also know couple going end movie lot different going make movie rather interesting super late fan know quite sure going feel film many originally enjoy one knew nothing month film interesting timing cut visit short yesterday someone ben singer super negative rest world favor telling truth think know ben singer might want run film soul searching truth one thing guy flick looking hate everything far role sister khadi roommate know wire far better especially look hard imagine seeing harder edgy image prince positive film pleasant surprise think would work made comment get know better mouth could yell go head point although film end good film also nice see eclipse actress daughter cute girl like watching growth actress good personal video northern kind miss like give clearer picture realistic tone one slicker edit featured one felt like one would encounter whole trip suspect tho bus whole experience may suit would say must watch especially traveling author well little serious however worth seeing plan trip help us plan area video rather needs post good reference point available east coast see family recently traveled focus go even produced way good video shot like well done good narrative informative presentation insightful movie temple architecture incorporated new architect cultural history would find must see scenery daily life well however felt end pitch pitch make viewer question thinking difficult imagine people survive high altitude desert grateful see lake differently tibet differently worth watching documentary style well wish could go visit spectacular view interesting history people friendly recommend watching video content video pretty good quality video sharp include two complete must watch especially younger generation quite sad us wow interesting documentary south tour luxury train colonial times beautifully done doubt would ever able afford trip fun seeing rich spend money perfect want short less trip beautiful glacier iceland usually patience sit full length travelogue new york times believe video taught ton helpful information never subway section priceless highly recommend anyone going big apple would recommend alike kind thing good picture quality system might tested day always believe government inside joke us stuff overview craft like though doctor great honesty decency wanting heck phoenix many day know book sincere good read often great insight wish little longer terribly sad really dreadful regime possess ounce morality another disgusting chapter history dreadful considering travel area found helpful interesting good karma might say also continue many see background hardly way destination picked play holiday meal grand show something nice listen instead loud nice watch think anything else say shown flat screen reluctant pleasantly nice picture moving aspect good left full music nice soothing snap crackle pop fire mostly wish mixed music also also got right camera panning steady shot people want look like real fire video one hope use future heck wish would run loop could q video time nice bright fire music like different choose nice holiday music like fire would like another type music good movie great good sword epic picture clear sound great grew married lovely daughter spent time riding saddle night show rode old arena hill move next bronze boot sighted rifle range behind rodeo fair review rodeo around obviously geared toward audience accurate true suggest highly earnest paranormal investigator looking group know seem fictional earnest investigation paranormal cheap scare suspense tactics used production great run away something decent example paranormal investigation spoiler alert found quite interesting able dissipate hot spot technique perhaps compelling evidence uncovered investigation much skepticism investigation group always like seeing people investigate without sit investigation particularly evidence review though film excellent like good guy movie bad enough make happy movie came search hot rod hot maybe era music noir lighting film best film digital transfer good x format video sparked interest taking dive trip enjoy trip stayed turquoise bay diving exclusive modern photography video many overall narration sense life used mood old spooky house mystery good one good turns one brief scene man bit blood shirt early slasher film hate good creepy done spooky house sherlock sort detective pretty girl sleuth type film good old fashioned entertainment right rainy night ending saw two could made change would made difference world would much better ending see obviously make something waiting end happen also feel killer would done style killing would great oh well still nice little film dubbing awful particularly woman jingle like year acting sub par movie somehow becomes really good western though really genre think non fan might trouble getting one big fan great silence flick always favorite mine r ray release would welcome iguana tongue fire circus beast must die seven dead cat eye ambassador caught murder mystery woman body found trunk car victim discovered w throat slashed face burned away acid police investigating possible acting official manner totally second woman investigation meaning police remain several red tough cop bay blood brought assist murderer time victim male catch maniac bloodshed rather slow yet intriguing type film definitely worth watching glad found took back fun watch movie pretty cheesy hey expect suspend reality enjoy ride life short saw movie small boy back early acting well see bet movie budget lot days go ahead rent interesting show film obscure finally see great print quality bonus agree reviewer unlike creature totally film serious attempt adult great action find bizarre esoteric unlike film noted little adult fi secret h man mushroom people motion little jerky anyone interested hard copy get sinister direct film also death murderer arty attempt horror several people living casual rich life billed star second reel completely premise jumbo reviving dead picture completely beauty nude corpse poe also enter theme walled glad made available ethnic new york beginning part accidentally polish woman speak language problem big picture series airing purpose educate us armed well people us well two part documentary pacific theater overview easy follow reasonably accurate remember intended educational rather explicit original footage interesting include unusual clips interest good series want quick overview major pearl harbor surrender japan surrender encouragement people occupation japan seen conciliatory manner allies police action already begun basic information hint psychological propaganda worth time venture past placatory attitude four star rating purpose considering time reasonable summary aggression pacific preparation allied counterattack interesting original footage us japan narration part accurate simple concise covering multiple want quick introduction series consistent presentation individual depth information considering strategy tactics expect formal depth documentary series disappointment curious good starting point us war office presentation well done overall learn lot complaint occasional racial slur first step decent secondly feel documentary would great teaching tool classroom racial simply narrative particular man visit town brewster involvement political situation would suggest film interesting innovative even plausible taken literally allegory political power us film well worth watch relevant even today two later singer intended us view know works course hurt film well directed well exactly suspenseful least shocking turn across prime really movie united according two favorite romero say ending perfect going add one library got admit never film seeing listed prime boy regular crime fare favored revenge plot thought quite unusual ending true justification looking good crime movie twist might want give look see college student credit card accident help create paper man fictitious person title group die die darling astral factor dean horror creepy fun personal information imaginary henry someone something killing one one paper man fairly creepy made thriller extra gigantic room filling central computer mountainous hair mammoth sideburns p watch girl running hallway scene descent good film depression show least understanding illness help gorgeous lush photography combine great great acting beautiful short film advantage setting complex romantic script rating system allow reviewer ability rate movie reviewer ability rate movie zero less zero sweet movie like culture rating would five enjoyment given like charming another five production value liken made afternoon movie two enjoy life respecting production value amateurish rate movie four sweet movie many charming probably pay rent movie spent spending movie would meant cheesy plastic armor tin foil movie probably made back yard honestly really believe sat whole thing movie half bad basically story two anti however want view new world people still pure old world two embark mission defeat leader lord pretty much story going rent buy movie know cheap cheesy also bit crude times basically post apocalyptic spoof well done one good funny way great cool music found would sound like know mean think good film fun fun watch video good practice sho want improve help rose one smart interviewer like well informed smart clear cater common denominator many many talk show enjoyable entertaining informative concept wish know thinking sometimes deceiving arjun great almost year old granddaughter movie often house animal animated strange nudity still blurred hear curse profanity scene written screen strange great show though hate add uncensored hate really care one season get penalize increase like true publicity set fast order got ask better service great uncensored awesome jersey shore fan like would given star uncensored showing ya know would see ya know mean well worth looking forward season jersey shore although hard compare hot season think anyone top sexy hell gorgeous men entertaining jersey shore grew hope safe love hate jersey shore acclimate weather young dumb good show laugh cuss typical product market mature crowd provide product still meant jersey shore fist drama end still get love watching jersey shore days seaside trip true shore bunch people fun funny love show wish would recast gift someone love complain anything everything said would fast delivery pay watch making much money season entertaining say least much action season following negative comment uncensored nudity curse said disappointing bought watch addicted show uncensored block vulgar regular television disappointed good picture sound quality also bonus disc shore reunion special situation wait season forgot dynamics group mike beginning see crazy much see season turns season interesting watch season seen later enjoy watching jersey shore especially fighting plus used watch show nice go back watch great documentary shocking ending must see crazy people trust people contemporary name used notorious international film festival selection voice looking photo fellow dead friend narration place sunset boulevard huh two set stunning documentary apart ingenious various information come unexpectedly full picture revealed late engrossing piece actually audience gasp love eric soon familiar piano music background felt would film cut average basically project obsession self delusion justice many web thought saw feel today single moment important note movie based event difference title one capital e g wonderful original garret works michigan factory approaching ex marine wife laura san two trouble male turn poker high school comes love girl never meet also worker player plot easy figure especially teaser spoiler opening scene film based true story better catfish true life dark comedy parental guide f nudity near sex really fun movie long go b movie say like film admit entertaining trying buy see release appreciate movie think though thought special effects mediocre captivating story interesting found believable fact focus viewer story opposed actor low quickly million dollar effects none plain good story telling feasible plot enough tension keep hooked recommend move anyone b something different norm lost l v e h e e son taught much like great seeing together quirky little film predictable ending awesome performance sweet fun lovable bit stalker one likable character beginning know story going unfold yet interesting format movie kept interesting movie witty sweet love story like short light fun charming adorable fitting summer atmosphere dancing best hey supposed fun whimsical like bullock movie light comedy easy like fun movie looking looking little sexual didnt watch much good service free use service civil war dwell heroic nonsense war tore apart country forget spoiled brat cost millions people combat probably fairly realistic photograph time actual combat left behind get past preconceived notion acting camera work give story chance felt people great great grandfather got letter sister prison mainly brother sent prison camp see life beyond grave mood real people movie better spoiler alert quite bunch comment content story two one disguised boy help survive become close nothing explicit must look elsewhere thought entire film done sensitivity location work show found battle blood see glory family turmoil higher production see jimmy movie quite lot gritty realism give chance taken difficult untrained adult got video following great success especially getting attention dog leash aggressive highly recommend took place hope really much pretense anything show fun watch realize added many little cameo bogie boat queen silly surprise want relax nostalgic always entertaining series interaction hope well like road mush plot old movie year old way brought back old made new film documentary typical mountain bike video downhill riding film downhill season also overall good film want watch downhill find favorite character grandmother comes camera still laugh also like depiction real people great movie delightful one unabashed teenage egocentrism virtually every moment life book make traditionally likable standard story arc teen chick flick also several probably sake time example aside dressing fairly normal child one poodle many minor simply appear result movie capture craziness slightly subversive left though good predictable fun engaging cast good pick mindless amusement couple teens may find gratuitous plot point camera quite bit supposed year old may kissing parent would want talk bit age difference already small age make big difference older teens exploit younger hint movie often romanticize idea older boy want make sure boy girl idealize idea somebody older watch men little awkward movie pretty funny cheesy funny endearing however little crazy watched two thought adorable although subject matter fairly serious able maintain humorous air real cute movie well demographic teens lots cute brought pretty relevant age well ultimate topic ending sweet happy though bit unrealistic lot tween great film also fact one poor boy basically business kissing hilarious movie humorous teen chick flick keep laughing go impress guy would recommend really cute happening thought would funny movie see read four watching saw commercial movie total way behind might wrong thought series first came teen nick watched big movie similar nutty find perfect sex god plan getting movie later year read young adult series amusing quick funny teenage common matter country little movie exact match nice complement work stand alone movie cute funny friendly fun teenage movie worry make nice tween romance comedy cute funny plus definite recommend middle school age teen comedy pretty cute get overly dramatic times silly little admit teen culture excessive say girl thong comes still guess teens movie decent job milking drama brit teen flick surprisingly funny coming age story typical feel good ending good laugh much honestly start little bit shallow got depth move forward impression got resemblance something cute put pay much attention though really movie main character like normal girl sense humor well movie comedy romance tied found enjoyable even teen saw version twice actually long international flight definitely trying become professional reviewer film silly mind candy targeted teen market teen angst appropriate humor story development would definitely recommend charming enjoyable coming age story flair well interesting watch entertaining funny thought really funny cute lead actress good gave earth performance would recommend playback prime horrible channel know prime even able finish movie tried finish line result love movie funny mind watching recommend older long shot really enjoy humor would recommend anyone one pretty tolerant obedient wild cat darling beautiful young family man sweet story always charming vernacular still heart wish grown town cute teens really funny really story puberty found adorable teen movie learning kiss trying fit parental family originally watch movie reading book time found movie love interest made really happy however watch movie like first think movie made character bit manipulative actually book actually think novel close manipulative movie version however movie movie learned certain felt like movie become better novel movie lesson greatly end novel static character slight bully best like movie thought pretty funny character adorable one would watch daughter older nice see movie heap crazy drama top crazy stuff sweet movie good younger generation anyone watch something fun daughter said four would watch said four cast quite incredible spot casting looking book movie movie corny annoying extent movie great teenage worry high school general fun movie whole family good daughter always predictable great family well least year old daughter watched movie got several much year old daughter selected film saw light typical school movie use full killing sure hell weasel enjoy series every week cartoon network wish would less filler direct story line also would option high definition content standard definition show old interesting premise pretty clean entertaining animation good instant video bleach anime anime instant video yet long good connection full green watch anime fine problem connection noticeable drop quality video sound steaming full connection quality par copy steaming less well like trying watch anime horrible antenna connection anyone remember days one particular issue everyone made aware option choose anime instant video becomes nuisance especially someone hastily purchase anime show discover unwanted version anime would problem every anime instant video stated version seen far season bleach rescue goes give also real good anime sometimes particular season feel like dragging along slowly master perfected art couple tai chi one close attention video one learn stance everything pay attention repeat chance quirky feel good romantic comedy ways people open whether slacker trust fund baby chance neighbor new age mother best friend sofa year reveal totally unexpected ways chance low budget effort camera work lighting sound pretty uninspired also little way non music although grant effective role chorus busker buffy angel fan get kick seeing amber different pathetic buffy fanatic enjoy seeing bronze one amber wearing dragon inn shirt spike accent tara kissing boy sans green found portrayal bit hunk hunky portrayal gay looking one night sugar f side questionable except message acting creditable many could goat sheep wrangler originally added screen son turns definitely little right glad watched anyway pizza deliverer run live television washed competitor turned truck driver boozer ordered court trainer big hair parachute pants karate frat unrequited love host take us back decade even presentation classic made movie look hard believe good way made st century whole movie great way awesome acting job bring stereotyped life sailed teen without care world romantic story might bore us relate learn grown grown resonate even minute two really wonderful movie could used least couple especially blitz dizzy include film lot fun watch fortunately rest movie even could actual dance looking serious movie like see tongue cheek homage classic romantic competition worth entertainment enjoy good work cannot move around good exercise workout sitting simple done times even time may mean still one gains thing perfect someone start tai chi long time looking something help start gentle exercise program found video regularly following video really start shaping master excellent job explaining also energy running body proper first introduction background instructor time actual exercise simple done anyone way led highly recommend anyone looking gentle way focus relax energize good many seen available want brush learn next master healing easy understand format designed enhance natural circulation exercise energetic field one medicine six master instruction discussion related channel involved ample acupuncture channel instruction greater depth meaning powerful exercise balancing energy body nicely done yes like first time tho listen need listen used open music need get relax different traditional country music always hear heart felt story bit getting used mouth piece help heal new concept however music make feel happy nostalgic make feel happy healthy good introduction video tai chi tai used combative good reference martial looking explore nothing show much application fear misuse however tai chi odd one know application video excellent always never misuse knowledge right relative newcomer silk found video great benefit tai chi practice instruction clear gently paced manner sprinkled tai chi silk incorporated master instant video money well spent looking sort never done overall video great point think lack discussion breathing timing true address give broad push exhale pull inhale first movement tend stick w remainder honestly cut full individual times yeah like music sparse good thought truth told progression w video revisit tweak may forget yeah good introductory video learning ba exercise set many video form set nicely balanced easy learn really like master presentation style concerning particular acupuncture channel engaged exercise look forward exploring highly recommend instructional video looking simple yet extremely versatile exercise routine incorporate one daily practice generally excellent version instruction eight piece brocade would better breath also gentle version sixth brocade bend touch provided less physically able practitioner particularly master employed exercise good clear tai chi learner demonstration easy follow different direction good demonstration old frame routine understand tai chi may useful basic understanding form watch video intermediate advanced tai experience old frame see master lie think experience style understanding martial form great see sing commercial love watch opening performance pressure watch get old season one university special mention goes solo much potential although young talented hope see solo near future making music nick great job hosting singing first season glad join season like old testament except quite exciting good movie teach new testament aware testament st passion curious learn hear reading document instead video st conversion life testament passion feel disappointment video glad bought review share nearby though religious historical aspect rick enormous impact world history would like tag along rick tour next best thing really great actress great job character like brother character ever since fire fire much emotion without speaking word know exactly going head daughter watching teen still show silly like decent singing less offense far cyrus talented daughter watched said show new show eleven year old daughter year old daughter really seem like show really enjoy show family friendly lot innuendo good movie pretty good realistic average acting pretty good leaves great ending sequel interesting behind look movie district made however short would rather second full length version accompany movie thanks free clip nice look behind showing need huge budget create something big love love love joe extremely talented artist expression film tune camera feel like talking directly private art lesson reason particular video four bonus clips end see rented unable view lucky though purchase purchase feel like instructional video would actually watch get voice narrator interesting look history current dynamics beer industry sure anyone really like beer would enjoy movie lot already knew major holding monopoly beer sold across country talk experienced bartender bar owner liquor store manager tell pretty much thing documentary miller control displayed b miller control beer market smaller better craft struggling gain percent market b try buy smaller rolling rock one brewer said buy smaller much beer brand recognition featured dogfish beer eastern story pretty much across country congress craft sold late b miller paying attention growing springing across country big three cheap beer cheap fine word rice corn whereas finer real beer made old fashioned way pure documentary featured one segment several beer would mention favorite tell one brand apart taste test people drink national taste habit although could say documentary could go detail big two smaller less woman beer point made b miller regional distributor want carry smaller craft shut smaller quite easily discovered craft ten ago lived new jersey never go back national time buy bud lite need cheap fly attractant bud lite much added mixture beer crawl inside bottle drown see many high quality craft beer often enjoy minute documentary open mind real beer taste real beer hard go back stale bud truly drink like beer want know current status craft beer small guy industrial beer big guy watch piece give great insight like business know consumer people follow certainly passionate perhaps practical draw line dream good file worth watching knowing would love see version story since least home state explosion last good cloak dagger type movie genre story typical good guy bad guy interesting twist allan poe works enjoy story along nicely kept attention recommend good movie check love seen bounty watching turns sparks flew good view knew live like boy forced man childhood done responsible little sister good care stuck alcoholism always enjoy old school video good material find interesting material good review basic especially paint breaking wave usually tough subject novice intermediate painter even nice palette probably many colors two great beginning make think multiple fancy brushes make painter sticks basic brushes palette limitation really criticism rent buy love film wish hour went detail learn lot first hour many good film reason thought younger geared thoughtful variety many different paced well beautiful photography actual top notch excellent going throughout movie however music ended turning volume might like music good talking music biography well written story although well known added new dimension stand child narration good video entertaining girl always charming love grew watching every love way love short clips included used watch movie grandma watched year old great review wonderful film footage seen excellent temple good documentary real star every minute wonderful production lot information thoughtful loving documentary star temple clips many well people knew wonderful film star hope never learn good girl took good care thought would nice view start child actress learning death good beginner demonstration fine job encouraging go approach abstract style would gone finishing technique used distract overall feeling work great rental someone wanting try loose quick style abstract painting remember seeing ten th grade movie long would show two different nights mere lass commanding presence man thought strong handsome lead book gorgeous stone unique film history able see summary life career recommend every man might wish unfortunately lifetime smoker led death thanks nature certainly unique personality silver screen could portray time came appear screen stage audience presence could stupendous performance voice commanding yet sensitive penetrating yet tender demeanor enhanced every film play perhaps two ten king king would enough guarantee screen stage immortality take felt would positive force program gave good engaging legend learned lot film many collection information already familiar one gave lot insight man general film history good documentary well worth time watching tribute titled man king honor upon almost life long role king stage screen king documentary gypsy steady rise stardom capped truly kingly role b ten found good biographical overview life documentary best see involved golden dawn inner politics fascinating people either involved neo pagan era essential study documentary bit thin visual material guess many survive lot visual repetition also thought heavily would little impartial source material particularly understanding told lot outrageous really lapped man world reputation still good place start want life general outlook morality somewhere past man many later shakers see much man film though ancient alternative interpretation reality come call occult nature unavoidably controversial many would insist fantastic annals controversy provoke better worse one influential perhaps influential figure annals modern metaphysical speculation modern course word elastic definition much written fact wrote much ridiculous sublime piece fairly straightforward opinion life works avoid either end equation although would call depth treatment subject great piece history hold sit wait great surprise end much side still awesome dolly one concert seen good singing wonderful good remake classic nice color excellent job tough beat buy compare version remains true original bogart version classic film credible job bogart course actor attempt certainly fall short none less recommend version good entertainment great didnt even know based old bogart movie story like awesome ending fun one best last stand first saw film picture directly searching copy time film drawn infantry unit battalion great look familiar film also know location well let fan bogart bogart fan period got curiosity mainly pleasant surprise pretend good original good way similar original try go top effects cast well since original purchase watched like war general give one try happy movie husband war one list forever thanks flavor dry story good original set well seeing grant lee move worth bogart original film made accurate remake actual hardware like tank good job still like bogart better seen one worth looking classic big red one style flick lead must see north desert fighting buff much depth story well video quality good good make bogart original well properly chosen worth cost serious dramatic actor action movie set north desert definite must war movie watched film several ago bought bogart film also one virtually unobtainable friend put happy film great slightly different ending first still well worth watching man film another classic lastly looking ironically film made actress like could go wrong never beyond reason undiscovered gem comedy marriage broker trying bring together lonely people along comes model crain straight regarding men entertaining film directed good supporting zero shea frank miss one fox release flawless keep good work fox used part score later seven year itch great comedic alone career marriage broker way different way works today popular reality show fun film movie good comedy maybe read description wrong work one best old directed model marriage broker hidden gem comedy model crain lovely ever department store mannequin marriage broker show screen time least name listed title crain leading man supporting cast hire find marvel zero nancy frank jay c ford plus shea card buddy striking black white print rich r fox cinema pleasant surprise every way great little story heart exactly standard romantic comedy thought provoking happy ending kind twist end film two timed business fixing life suddenly rare gem lap form crain model going get like charge lucky stiff mean stiff set crain everyone always fully know folk entertaining film especially interplay crain number fine small supporting throughout real drawback iffy acting frankly times smarmy character film leave crain character could even see like must thought bought one episode hope love yet one favorite b c homer eating bad meat question twenty best ever still included true fan certainly enjoy got good course bought whole season yeah got good know ever say best ever show deep long running great selection wide array little bit everything package nice collection watching usual family good buy love painting outside get often watching someone else work painting en air always inspiring video really sense like paint public location wonderful artist nice painting love seeing done start finish showing composition color like video made hate painting example blocking color always painting watching video thinking see usefulness color top cover everything lesson teacup cloth towards color away value worth worth watching love movie learning made wait sequel great job cute made watch make want watch movie ready watch movie really want see movie upon making video trying find movie seeing magically animated also better understanding fascination animation process incredible great movie family enjoy movie would recommend little really cute movie watched family good family movie making search actual movie really one watch making animation feel away always good see put together came life rather odd film lot fun one better animated come recent departure standard fare seen see love explain movie made whole lot information clip first time view rare footage shot older celluloid type film almost like old home far boring helpful trip summer family country origin emphasize travel train less highlight reel interesting watch train film railroad external scenery tour series good entertainment way cattle really way rode buck every morning true fact say never another one like story line great adequate amazing accomplishment glad watched recommend fantastic great story made look like older movie guess kind story definitely worth originally read story outside magazine amazed back seeing movie felt necessary though movie way better pleasantly watched movie plot good turns considering top notch name acting actually bad worth watching documentary much better kind film quality eyewitness camera although wear welcome worked hard supply large variety like band close many intelligent along promote ongoing narrative also better usual mostly neutral point view work intimately mostly old friend album cover illustrator bass player many post screen contributor good drummer many well comprehensive intimate inside knowledge also long film almost good worth time spent release astonishing solo accomplishment band run active politically publicity first instant karma give peace chance number strong early especially imagine early work band run original time film seem early critical acclaim presentation way historical record achievement band run considered misleading impression something done correct wrong impression film leaves film could misleading viewer unfamiliar post beginning death bit long bit unfair circumstance design missing lots information still good film one better historical love everything queen hash queen watched good rather thought old another review put say relevant point time rolling spring together fifty short look back beginning band time sure could shown really want see find short film meant commentary great band neverland rep left mind last travis rice video sick unforgettable scenery sick big mountain powdery riding video feature travis rice like last year similar trend video reason got b c set bar extremely high movie shelf bed ridden excellent program use twice weekly combined alternate work sure torso useful pair well together make sense good workout also good paired like walk days need mat step obviously bench several used chair nothing fancy music motivation good solid workout relevant today range depth candor rose henry pressing foreign policy day tuned merchant ivory interview compelling saw came show anywhere near saw want see please put prime able see film ago line ridden bootleg copy immediately able appreciate witty razor sharp comedy movie fluent book learned dialect inherently funny definite plus much comedy comes general particular find living within apparently east raised mad scientist uncle upon coming age vampire like uncle uncle sol type elixir would allow stroll full daylight gangster style wackiness communist pro communist well perhaps busy laughing loud may simply yes yes know film made must communist content nothing could perceive cute slapstick humour story would recommend one age say believe part covered movie much better part glad see outdoor learned happy part good job film briefly life c marshal henry hap mostly original black white film although much air combat footage seen least one major error fact night effective known case also forced war known true film public effort nothing critical say three film daylight raid oil mention horrible yet would estimate film seen decent brief introduction three still linger today documentary rod sterling worth watching believe based whether ancient real still fun think ancient mystery stuff firmly believe first attempt earth well get picture watched thought well done course rob aka rod could read would sound mysterious interesting yes footage old date people taught little gem lay many ancient exist trying solve much whet appetite consider appetite movie clean funny good message important life hint money light hearted flick bit spoken definitely family best read gave technical really nothing wrong story line clean kind funny story us important life money simple theme family paying enough attention listening really said uncle family together unexpected ways character first like fleshed movie also good see family come together learn uncle movie little slow times much worth watch also nice see interaction real life father daughter joe daughter movie book came alive especially drawn chuck duo faithfully lived faith god unlovely nothing return gave time experience truly sacrificial ways story great reminder never take time great book many prime watch free world find watch grab delete start could least finish even though predictable acting pedestrian say like cotton candy chocolate sweet candy one real substance easy relate uncle also busy times busyness family perhaps slightly back less like feature film like made hallmark movie message great family movie night rented sentimental older relative like never saw character uncle sweet believable joe always comes across expressive genuine even simple story sweet scene real daughter daughter loving dad whether scene believable though times ann archer bit place glamour good film never glad came across sorry family back aa possible sequel travel log great good representation island made want visit catch glimpse pretty also like native received free purchase complain allow computer kindle use kindle android phone read kindle view kindle android logic pushing us buy kindle would certainly full functionality android phone movie good point across well like anyway knew story interesting nice much glad us see comfortable much go lord serving kingdom story admired self sacrifice god work old movie production well worth watch life inspiring humbly lived life felt stood god provide film certainly modern day quality content inspirational movie strong production story great hero story needs lot one people made throughout history cause preaching gospel know people scoff top notch production pay attention story interesting show film quality fair worth watching least story missionary wish northern though last show gave would see made want visit look beautiful country side general republic northern good watch general information dialogue according definitely funny movie considered comedy definitely dark one said far traumatic go movie worst right front setting background inept member operation rest movie bit easier ticker would thug unorthodox bedroom pining baby mother still psychologically event childhood aunt amorous soon apartment landing new one schoolteacher may may person responsible mother condition may may works several report management chain priest also friendly landlord vaguely threatening crew big operator criminal world sudden center attention assignment learn deal possibility working way stature within debt operation movie rise influence interesting several look away train wreck sort way plot movie different chance mistakenly way sort crew german apparently better like odd fit schoolteacher spend much movie wondering whether truth behind life exciting official job movie also occasional cultural clue though fact one could imagine story plausible anywhere favorite specific moment another cohort remind murder people iceland island nowhere hide body iceland murder rate world per year may well due simply difficulty biggest drawback found incorrectly movie frame usual instant video problem frame getting instead scaled fit screen top done wrong aspect ratio image wide ought effect everything taller ought great video anyone go st vincent wish found went instead many saw trip used educate world went honeymoon con decade gave instead nostalgia buff appreciate charm older dont expect gone wind interesting enough fun sometimes silly openly gay acting career enter studio marriage partner together death found interesting see work reason movie expect movie era comedy drama romance feel good ending give shot technically release quality version missing frame two opening west th movie theater see opus still opening shot institute star trek motion picture standing front original enterprise model air space museum days new trek special treat documentary film hope name since mike hard lemonade interesting throughout credibility hosting chore continued improve interviewer seen raw nerve aftermath biography channel travel film history seen island decide want go might want also covered shopping produced island unique buy movie would recommend one interested nature great amazing movie watch one time enjoyable bad thinking taking diving excursion check informative affordable enjoyable video video geared wine wine agree know like need someone tell like survival compelling thing wild society yet understanding food chain environment us better god gave us good film watching one much anthropomorphism seen series music bit turned volume absolutely series think lost way somewhere many story ending pat still incredible series definitely recommend anyone show entertaining something important would happen forgot whole show ahead time perfectly last like whole idea script every still lot would never knew ending going like show needs come back show good like much season give closer long time neatly wrapped conclusion across love nip tuck wish finished season last two really lot since moving really son surgery hardly ever seen girl ended landing roll randomly feared end werent much thought felt like becoming really lazy great show done great comeback though future nip tuck really envelope greatly storytelling department later like one episode much less shocking previous guess decadence intrigue still enjoyable griffin episode great look see relationship though would really see relationship completely disintegrate final episode still cool episode glad computer near still watch final season still left overall preceding weak season major trauma make worst possible finally new life eventually used punching bag carve new life well make peace form new kind relationship got hardly ever around material dealing aftermath dog ever call daughter bad childhood mother address mother pokey minute documentary look phenomenon someone many subject cover vast majority main involved community large documentary bob lazar area alien specific government overall would highly individual new still exploring phenomenon movie interesting history place imagine like many ago people grew nostalgic thought provoking work nice peek scenery culture film based upon true story also much metaphor life although alone travel along path us encounter along way family sometimes join us journey provide encouragement support allow us see new light well find beauty world endeavor around renewal hope many aspire actually ming hearing impairment stop journey guitar important thing start never know find around next corner sure one thing finding life whether good bad inspirational story particularly might facing kind challenge life quick note fair number missing single instance message used place massage think much issue hope see road honest cycling would given show long distance cycling far deserve bump thus yes film slow paced protagonist week long ride around island young old dealing various competency story line much direction trajectory bike ride part innocent charm sometimes bike ride bike ride easy rider would better movie without heavy handed simplistic political allegory agree one many film remain unclear significance occasionally added heavy handed way movie cast comes contact bike ride appear arbitrary director picked people met e g model act movie nice movie scenery outstanding check like great little slow paced good acting good bicycle recently subject made news hacked military u discovered u get back trial brief informed already beat gravity knowledge cost end cost power also stated many really experienced experienced along printed information evidence convincing film skip comes documentation like film keep listening watching intently buy join prime many like free shipping many film magic said exploitation documentary shock journalism see went south stage primitive anything narrator goes way explain justify many adaptive behavior reasonable given people involved magic exploitative journalism usually shockingness result people actually customarily disgusting fault chose record present us would spinning false yarn glorious life lived noble savage many kind shown us film hand us peek truth first time saw many ago everybody back believe watching crude entertainment value must see book pretty straight forward cumulatively shocking documentary well worth seeing every tribe tell ritual correct one must minute detail follow planet glad visiting many appeal illusion life exciting lived yet mature case leaf mature beyond directed short find life actually occur mundane every day father child visitation movie replete mother never seen one never fully father young happy see child miss ex reason never house tried avoid pain seeing ex avoid replacement follow two city one pain relationship child apartment wander father unclear emotion fast paced thankfully high resolution interesting mention first film alan pretzel vendor grad student used steal camera room look art fish record elaine may mike room comic bit two listening bach blab onward absurdity another dance workout done painting studio people working another film great script young guy want leave older woman apartment spending night older male neighbor apartment building make scram funny stuff great bright acting first film little girl park obviously day week one pretty slowly dialogue hand leaf guess blab came first blurb way video good overview island especially never really way highway go next useful getting idea island help decide want see stay pretty good everyone nature especially think would love movie sticks history enjoyable voice cinch right almost time roger great quite different bond persona scene princess ria ending well done walking aka beautiful countryside fairly inspirational probably boring prefer drive though many outstanding list watch love band good come much subsurface exploring film well done showing life water around southern continent death crewman tragic shy telling son also later technically interesting see audio track synchronized camera post production doubt many sound effects added although ambient sound used country visual sense wonder wisdom poetry amazing place samaria gorge would helpful great scenery good nonsense video think covered city well watch part research upcoming trip gave us good idea towards end segment showing traditional dance thought long think photographer editor smitten dancer though excellent look new wave heavy metal must fan love new wave heavy metal love great learning history gave high got us looking forward upcoming trip guess need two days informative video little old would recommend anyone traveling barcelona found video visual person getting tourist give times actual region look informative give rating return let know actual hong good preview expect film everything hong offer well almost everything interesting look culture good learning experience especially one traveling exciting travel movie ever goes important nice video trip get idea something lonely planet book help movie trick although excellent example c l heath nice systematic introduction main good starting place trip type movie enjoy watching well informed like ended quickly good informative video thing like little outdated finished yet really enjoying far traveling soon expect appreciate like pont even informative content covered many city trip worth watching film went around world ask japan south canada film obviously long invasion might surprise many people almost one angry us government think answer saying seem like afraid people worst interesting look give wish knew chose people talk hard know random lake times four separate thoroughly time different unique found side lot fun however reading script good job pronunciation various little geographical area video great introduction spectacular city visit help orient many like video narration however little dry little dry waiting dust start shooting interesting travelogue deal historic route route instead enjoy part even really deal hoped pretty good view old route good story taken real life people horrible way main part convincing think know anything happen maybe young story movie real good job telling step carried peter delinquent daughter millionaire closed kind coffin buried forest water food oxygen comes title everything predictable especially story told jail big good originality way hide girl everybody tension family course even female accomplice good relationship good entertainment chance watching good character performance joy watching early role great actress movie begging dub horrible like bad funny love guess like like something good show two half year old lots learning expect someone primary character trait curiosity sure politically correct nothing top intrusive book include best friend bill freckled white black professor wiseman museum going bald guy goatee lady importantly though bill still professor wiseman still scientist whatever interesting note discovered show prime love ask watch almost every day since son toddler always watching reading curious material still good narration interesting character cute smart well written show geared towards age annoying pointlessly silly son far even old sesame street go wrong curious would recommend show young two year old good two year old five year old highly educational funny apparent generosity small story felt meant appeal bought year old great niece visiting remember reading child good job son love show lose sanity watching like obviously curious little dude narrator think voice every show lesson daughter watching every day like first time seeing fun show entertaining love little monkey problem picked must good best interesting stuff good boy son trance glued instead running around house getting everything love series thank like curious content appropriate course better show mind watch like show several season year old love dont like dont love enough give year old son best nice presentation easy understand simple language nice quiet cartoon still attention problem also real child end episode per show love many funny mixed curious prefer like fun educational annoyingly crazy loud daughter two excited comes screen ask must watch every day reason give four wish sometimes would get trouble great teach never making trouble said son happy curious know monkey two year old busy try recover never ending energy thanks prime love one agree every time free boy love try read good get son watching enjoying continue watch timeless like curioso goes help granddaughter learn done cute manner love curious great show son educational entertaining highly younger audience good show safe generally teach lesson interaction primary issue daughter goes would like think learn something watching series good set put free time granddaughter watched show spent night curious show every season curious encourage watch good taught curious giving four think show actually even better later would recommend watching small person laugh perfect flu days like much used bit since son year month old show comes actually son lot opinion one love used granddaughter active year old sat kept interest able get point also able see applicable flawlessly kept boy duration want cartoon whatsoever find need digital curious always laugh year old exception interest till end story got curious eleven got cute little monkey younger learn stuff like counting alphabet think kindergarten first grade good show watch daughter curious watch show soon big fan misbehavior entertaining character familiar like thats curious year old niece year old nephew great show great graphics daughter watch episode two pass time cook similar remember hearing young toddler show play show monkey good program granddaughter happy see different adventure made laugh daughter watching show clean worry see almost child lot th star story quite good want carefully handle rewrite highly un story taken wild man yellow hat yeah like fact stuff like come story sure said eye rolling rewrite story still good fun easily tolerable hear see childlike repetition must show collection show picture great kept interested think watched three times month old show favorite show although always getting trouble best role model daughter curious wholesome show every child love curious excited saw added prime instant video however still trying charge great full realistic could almost believe monkey could anything way man yellow hat watched curious child still enjoy watching year old daughter enjoyable even longer year old love educational good teach two little love one annoying groan really cute movie year old hard find appropriate one let grandson watch certain one curious much kept times always lesson end year old show watch mind math problem funny great granddaughter curious favorite stumble iconic figure prime took advantage showing something watch regular basis see granddaughter often southern would recommend young little watching little show younger cute funny kept attention old love time favorite cartoon fun educational video lunch bunch reward watching video school appropriate kept seem bad either free prime made easy hit play really enjoy monkey solid family entertainment always like seeing high quality absolutely kept hour finished house work even like outstanding content daughter old tried couple series well one cute clever show two year old son watch like watch much attention recently made one precious tolerate actually enjoy find laughing enjoying story wide variety within world goes back forth city country lot people none obnoxious overdone also love show feel need talk patronizing overly simplified go way educational naturally child learn along world curious way curious one favorite thing kept freezing try soon good video great like agree paying free year old granddaughter like curious seem age appropriate nothing objectionable content son quality pretty good wonder watch apple monkey see monkey bit smart average monkey fun watch documentary made intention making fun viewer creepy pathetic isolated fantasy town celebration town people choose live type spend every vacation like seem culturally aware even educated foreign think show shallow closed minded townspeople really admire way film made think documentary watch film even aware intent showing bad light fairly subtle say good film viewer aware different live country people celebration also made aware place would never ever want live daughter almost show monkey woof woof like often wrong several solution problem wife like show listen adult man yellow hat think good example like better many age group short enough watch one mealtime turn done simple basic classic cute monkey never get old grand could watch would b outdated daughter get past irresponsibility world daughter watching curious even though cant speak still understand stand trying boy lot fun family whenever watch also kind mistake make kind like well enough love find good kindle must use many great lots valuable learned son watch monkey trouble mo old cant get enough often catch lost show story line creative narration excellent animation top quality primarily felt season lot engaging daughter character entertaining clean image must see small simply delightful really love watching show like content well find silly humor even appreciate discovered show prime love want watch day love watching curious great show young old alike wish like child love goes around please cute listen say year old like show trying solve succeeding first try bought season let granddaughter old watch season also easy someone order shame shame enough brought year old daughter enjoy watching happy appropriate good menace time problem solver one better around violence sarcasm archer amazingly hilarious highly recommend show appreciate sarcasm low brow comedy excited see original unaired pilot sorely disappointed funny really good adult animated entertainment intelligent believable insulting audience intelligence exaggeration used used good effect bother worth time funny funny funny show huge fan interest begin like ordered streaming great show mixed first second c mon could pilot second episode entertaining witty love look forward following series seeing fear thanks interesting approach comedy similar development set comes rich family except spy archer amazing show cannot wait season one ever watched offended extreme crap bonus content episode pointed pilot episode archer screaming dinosaur cannot possibly think anything less imaginative given creative show people like show humor nothing show funny lame insulting still buy though get archer fix whenever need archer heavy drinking playboy spy bond mold actually sometimes works spy agency fun time watching react every time sexual relationship one spy asset protection business despite occasional bungling sometimes archer usually may cartoon e g heavy drinking sexual talk abortion watched st season every one loud least episode pretty funny animated comedy could use new though archer show seen latest season looking forward watching hearing series finally watched happy inept spydom could ask watch season archer much different funny still watch need good laugh seen archer series missing one bar none since plenty giving high praise series say word transfer bare nothing else used seeing commentary something watched series times instant streaming really see new content hope season comes come little extra content great show chemistry benjamin magic root title could navigate easily show since squad spoof glued stop watching went threw one sitting still making new pay attention miss rapid fire fly excellent comedy something wish watching sooner bad day work watch episode cure bad day laughing head one best prime well done kept laughing start finish looking forward watching season two kudos bought gift recipient excited see tree happy future funny first season even funny go archer little adult humor good action funny action like sexy get smart real life real life get smart times thought watching show weird cartoon better live action air trying sound like archer mind say except archer painless fun watch order get horrible unwatchable unaired pilot intentional know tedious animation background work slog never get tired watching specific archer however proved disappointing regardless fan sterling archer archer rest recommend need talk show amazing believe go back little world wait something reality anyway reason great advantage syndication get everyone favorite warning yeah real helpful bunch even couple get actual would taken season end except one real bonus feature hilarious enough make forgive definitely show one show enjoyable like humor like easily offended say watch show archer season one funny hell little rude brilliantly written great show looking forward watching season two three super funny witty like cartoon almost top actually works watch found series entertaining good animation graphics version maxwell smart funny animation good little times rate star first year amazing fresh voice work top notch live person show would win lot bought gift husband even aware program fan rated set set show show plain perfect target audience target feel perfectly favorite animated archer definitely family friendly archer sort goofy good mainly due character neither win animation award archer voice working today di archer h benjamin make laugh reading encyclopedia use archer shine voice quick ridiculously hilarious verbal sparring archer apart watch episode archer go watch animated show fox fall asleep seem slow archer ways vintage python quick witted hilarious often cerebral humor adult humor even pretend anything writing timing presentation absolutely perfect get smart find comparison quite apt get smart made today would archer high praise indeed set unfortunately flat deliverance course look good great ready day age one seen recording sessions love watching video voice something backwards lot behind stuff launch season maybe next set feature least one would expect commentary weak spot set shame weak spot considering absolute brilliance show cartoon brilliant demented twisted hysterical problem w release unaired episode archer guess screaming dinosaur place archer cool die hard shell good money support physical day age either screaming previously episode nutshell buy cartoon extra content hate make guessing anyone considering already familiar amazing show case say good sir well done show among seen stand even close archer family guy boondocks familiar archer would suggest immediately watch far product season comes two ten include original unaired archer pilot making archer consider must still laugh watching show well funny overall show well made looking forward seeing like adult variety intellectual sexual comedy prefer season happen season character building series good funny funny funny good way turn brain relax good writing creative crude way never seen episode week watched first episode season one nothing made laugh hard frequently throughout entire show watched every episode first four none let spent weekend laughing hilarious series getting great start sterling archer drunkenly way first season somehow almost always come top still phrasing show like love child bond tucker hope serve beer hell age mind edgy politically incorrect satire love say age reference material might lost age grew reading watching bond spy friend introduce tucker couple ago giving book hope serve beer hell show unbelievable yeah right bond probably laughing stop type humor tucker good entertainment value dumb purposely right good plot entertaining short show love show hilarious get plot humor since read elsewhere say disappointed disc set little way extra bonus material new bonus simply second slightly different wording broadcast happy show watch many times get thinking getting extra unaired material seen show forever never watch ran new catch prime turned archer see show offer adult animated feature spy agency cold war era funny enjoyable solid fan show someone work told watch archer watching quite funny humor adult nature series made mistake watching watching series jade fact one amazing smart enough racy vulgar ticket romp animated comedy definitely smile heart adolescent self indulge development love comedy several ad cast archer simply animated starring voice actor h benjamin wet hot summer archer rarely television series first season satisfying series took tremendous second season becoming one best known comedy third even better humor blunt surface sure sexual humor abound archer yet discount series subtle mastery wordplay situational comedy would definitely recommend archer caveat definitely specific type comedy fan development always sunny archer archer everyone found laughing quite bit voice bring life spectacular fashion clever series adult humor sometimes subtle worth watching first season series little raw quite established later however voice acting remain solid chemistry talent really pretty funny well written pretty fast moving te seen whole first season far really good enjoy worth money access funny show time special terrible let following plot spoiler going save frustration unaired pilot new episode parody one already seen season quite frankly funny none special worth watching either lots nothing archer archer great show right beginning poking fun super secret spy genre remarkably funny clever worth watching buy set show special might like show naked gun trilogy hot drawn together long story short sterling archer k duchess international spy working mother company besides strange relationship mother seem understand monogamous body face true challenge ex colleague much bigger pain distraction mission face review politically incorrect totally disturbing funny time protagonist charming easy fall love situation getting trouble already somehow way unique hilarious archer deal humor goes waist fun sometimes even smart kind way right show beware reason see please visit like page follow twitter cartoon adult one situational comedy best non political correct speak describe thing love normally review one worth funny show check season one instant access pay took come mail thats get free super saver shipping right brand new unopened undamaged show funny blast watching wasnt many st season good could happy cant wait season cleaver writing great voice acting definitely completely opposite viewer would expect series secret initially wrote show dumb spoof glorification worn spy glad gave archer chance straight bizarre cold war universe filled psychotic bond deliver devastating one writing joy several action show entertaining spoof foolish one give try always cancel watch bond movie archer series hilarious fun reed done masterful job humor fast paced comedy interest watching show trying prime definitely adult guilty pleasure get humor forget adult swim level animation short funny definitely show know cast admit show glad gave chance finally hooked watching pilot episode seen every episode every season season best season opinion enough get hooked series archer animated series grown let clarify smart grown writing brilliant bit crude times always irreverent many woodhouse would state woefully esoteric quite sharp get fun part movie series song historical event great great writing rapid fire dialogue around well made series huge fan h benjamin show clever grown recommend anyone comedy dialogue sharp brilliant funny caught glad ran across prime fun watch archer adult cartoon snuggle couch hubby good mellow drink laugh till cry show funny lot great wait next couple next show made group love work funny show glad see season adult cartoon beware grew like archer last engrossing explain horribly selfish bounce around quite bit little much liking story minute new york two back blimp back rigid airship know actually flown attention detail surprisingly high cartoon us prefer minor plot worth price entertainment likely next season set becomes available episode informative tought prepare puppy select right breed select litter episode also taught teach dog owner dog puppy bad biting frustration play biting episode every future dog owner watch market puppy dog certainly watch market another dog future interested traveling seeing beautiful earth enjoy beautifully fairly well love walk look different get love watch year old mother enjoy watching living facility certainly back good old days would highly recommend anyone big fan welk weekly show pretty good stuff j usual funny insightful material enjoyable show embarrassing seem think funny get ever rarely used blue material coming stand learn watching show good way learn like marc pretty good show nice variety great watch good laugh find multiple even season period times comedian even though different time funny man good start let hope good work rest season better comedy show fantastic evidently hand see precious maria several times think hysterical know outlook really laugh good much nonetheless entertaining show host good guest good variety please every taste made laugh comedic genius love way world gift perception finely hilarious delivery great talent sometimes funny listening funny show great time watching good show good time pass got laughing several repeated happy hear consistently funny stand show basically telling beginning episode pretty well known like title review show funny seen better also seen much worse though overall worth watching episode two see enjoy series watched version first immediately able relate main style much us version social work similar lead character e brent manager comes across insecure carrel get brit accent surprisingly specific e almost made international audience done first yet fun sexy show watch navigate dating world seeing pep different light id thought routing go find love show intriguing tale strange disappearance leaving everyone scratching interview family law enforcement main search take gradual process discovery opinion much better fictitious crime show well produced show interested throughout lots intrigue always share resolution one like true crime like show great suspense recommend true life always better fiction four would interesting look someone simply vanish without trace never even police work poor like picked somebody dangerous car broke probably hope family find kind closure sort peace body something doesnt seem like still alive would family feel real sorry family especially dad looking shame real sad story episode watched free end innocence balance series bit per episode however program well made true crime forensic criminal investigation would find series interesting would rent series price say take care interesting show like real life definitely entertaining watching sure great show turn watched one episode wait start season wonderful first episode took place home town curious see made show get also comedy often use naturally telling know feel bit lost humor worth look expect discrepancy quality humor among drew wise addiction recovery much learned ignore drama honest open willing watch favorite season touching yet sad really think three gone watching go difficult real life made season even worse knowing dead know quite bit said news exploitative series especially season three fascinating see incredibly talented people fight learned sometimes win season three celebrity drew new group recovery center participate day rehabilitation program direction drew primarily address drug alcohol abuse model former madame joey reality show contestant actor mike musician singer rodman former athlete actor ann beauty queen patient assessed drew go program days mandatory therapy session morning unless special activity often hard tell actually rest day patient different problem set plan everyone fragile condition begin experience various withdrawal become lethargic get high strung irritable exhibit aggression facility small gym tiny pool seem lot television cell video outside world limited communal phone surprising occur hour long episode minute usually dramatic event crisis confrontation emotional outburst issue related treatment house medical emergency someone leave include dog leaving facility getting car wreck suffering seizure drug smuggling ann various incident bikini top therapeutic bit theatrical going junk yard release repressed even bizarre like graduation ceremony mausoleum although facility sometimes like circus drew extremely capable familiar behavior various see listening people key get root although per episode typically devoted therapy sessions sight viewer serious progress made get peek intimate private possible get mistaken impression particular person high stress staff sometimes put lot bad behavior program interesting educational entertaining subject substance abuse serious genuinely life threatening mike apparent drug overdose joey away questionable may substance abuse noticeable physical effect celebrity may accurately reflect reality provide insight rehabilitation process kind employed stress people rating bought season celebrity mainly mike one cast show sad hear passing due drug addiction also bought never saw entire season couple back season previous buy fan show want learn addiction sadly many people see show mainly entertainment people understand cast human suffer people famous people push fame aspect away really focus pain cast treatment recover center used resource whilst teaching amazing world able afford buy air ticket physically visit come alive enjoyable video watch background beautiful scenery informative like series back wee lad ten surprisingly even age something kind quiet kept mostly many ways wonder news aftermath anyhow middle school high school interest role general waned always least background remember well two background crawling way gold handed people visible slowly adulthood gaming largely stopped computer final fantasy like remember last time gaming though play lot world warcraft come join cake death server miss gaming chance get back instant gaming time review movie dungeon three play see national guard reservist home state young woman gulf coast would novelist follow gaming see one vice like least couple found life would author interesting guy married least basic job really see much gaming though see together cable access program gaming also follow goes early trying get book book saw screen needs lose page count clearly decent man trying better life actually least effort direction two woman get much handle definitely someone think drow nifty interesting accounting taste suppose get see activity always cringe anyone actually involved guy wow clearly creative good possibly even great one great even good would allow entire party get sphere annihilation fair even doorway carefully good ways around like character fly going sphere say always mollycoddle limit clearly quite get point many film extreme end gaming culture suppose understand let face showing bunch normal well completely average compelling though showing noted fin diesel would pretty awesome rather like movie friend mine show extreme order story ultimately found movie compelling interesting various people well glad watched say like watching train wreck happen caught wind searching documentary genre watched preview could believe saw practically equal price something always check ordered completely amazed people get lost world fantasy like especially military guy took seriously border line ridiculous say though people happy simplicity simply world like way envy ever curious n like cousin addicted recommend watching quit fascinating since certainly kept thus movie study gaming look three people also happen dungeon level think movie one level could relate used play world warcraft like people know like fit always respect get geek without worrying everyone else really movie found entertaining amusing touching think movie rock hard place though many people role might able get past think watch movie gaming may get caught seen able appreciate movie whole fall two give movie try think find worth although perhaps representative gaming really far base since seen plenty normal people quite ex military learned play still serving military however group generally also people genuinely live somebody else glum outside game people might feel movie unfair dont actually quite bit three people movie people also worth people movie around actual people anyway good representation spent escape reality rather enhance enjoy daughter watched movie example adult life would like someone disorder know broad spectrum different could relate many ways main character dealt overall positive outlook bit scary parent consider child adult worth seeing rose warm wish boy would let talk though thus give bought brother nice watched whole thing definitely kind humor product description good show bad pretty funny dirty college humor sort way like kind thing probably happy get perfect shape ever would order series directed men unless woman sex like series western hero saw television kind authenticity cowboy cowboy hero still find enjoy period western thus movie fun look circuit watching couple eat first season representative competition spend time outdoors x canopy working produce best many many people season trail certified looking change eat really good looking experience best like contest entry one another also like program chose video amateur experienced judge would always bite rib middle end meat overall lot learn cooking especially prepare whole hog episode covering big pig jig give season one look inside cooking competition circuit show interesting entertaining also provide good information use cooking rather unusual western winter ostensibly unusual story line tale rather interesting vintage b western one fan film well worth although quality instant leaves much desired synergy entertainment based r manufacturer archive series offer commentary bonus dubs best available source vary good fair star detective guy entertainer went age member warner stock company republic b unit programmer brother tinsel town minor uncredited nearly guy two billing many classic synopsis better average murder mystery butler fact room temperature retired detective reticent locate stolen emerald necklace insurance company willing pay k return case help young couple trouble order win bet pair choker without caught dingus owner daughter safe combination intending return later wakes next day missing honest young fellow necklace clumsily left man taxi secretly place back safe gunshot found standing newly plugged corpse family butler parenthetical number preceding title viewer poll rating detective guy brown doucet uncredited billy benedict interesting film made right polish resistance slow production v flying partially based fact good story little silly love line included good depiction deport accurate harsh somehow able get real v prop movie great set piece good sell knowledgeable stuff good information learn information cut learning curb love wildlife wish person man help us keep many wildlife alive crime drama movie inventor wife someone husband responsibility sent prison many husband husband resume family life disrupt wife new life living invention wife tell daughter imprisonment wife friend family knew husband dead another similar murder like husband going take wrap one well movie one know killer movie understanding people might protect assume penalty another person crime movie plot along well thought acting pretty good love bad intentionally bad needs comes mind horrible accidental product director coming watchable film standard ten classic weak plot ridiculous dialogue horrible special effects badly dub make enjoyable weekend afternoon break son entire movie quite gladiator version plan outer space damn close confession fascinating sociological study millionaire matchmaker need help finding spouse right least thought first show realize rich often spoiled self maintain health relationship really comes sure several opposite sex meet list often long shallow time real work usually comes open tolerant giving going lie also nice see give occasional millionaire tongue desperately deserve love sneak peak real rich ways much poor rest us movie amazing struggling writer whose father cotter smith veteran actor everything homeless mentally ill alcoholic abandoned family boy streets acting little melodramatic emotional plot somewhat cliche mean really still old typewriter pen novel nevertheless good movie coming past old family film beautiful photography stunning scenery beautiful maria maria totally hot gorgeous body hey red blooded girl say really portrayal friendship best pal well devotion fiancee healthy get open emotionally worth seeing would recommend product enjoy art drag season engaging one lots drama entertaining although winner slightly predictable season well worth watching hate really like show better season go would also buy whole could watch original uncensored hey let know get season one season two three season one raven two best drag race season one without season one waste buy two three buy either love show high graphics e bad lot admit show everybody order understand must reality think season budget bigger first season think drag race next top model project runway like fact show making dream come true cast need bit push show real talent since seen cast local nice surprise see television show show comedy talent drama drama love show watch every weekend standard complaint never get tired show love made show content always free guy allot per minute show funny think season available prime much love tosh rude funny guy always fresh politically incorrect mischievously cute incredibly quick everything wish could first date extremely watchable funny funny funny funny please trust young man anyone certainly help grandmother cross street love guy let confess head still looking funny cute show sometimes bit crude sometimes say tosh never seen show got fire binge watch tosh yeah humor mean funny get feeling guilty one going hell f u n n enough detail ti make interesting good message anyone considering life recommend series anyone interested thoroughly drama suspense action program believable acting good say season awesome watched almost got away already must say seem right series one episode two accused wrongdoing lot loose say worth watching pretty good time killer one thing always look forward put forth attitude emit classic textbook example ego defense example one guy boasting night wife insist let free went many without getting another crime tell story time someone gun describe incident victim gun went people genuinely towards making honest living yet eventually get go back prison id great sometimes help laugh stupidity hand scary smart always get away still somehow get caught think get comfortable kept watching whole way never know might criminal almost wrong get love series educational really get away would like access interesting staged legit hard believe something hidden long unearthed later almost already knew going husband watched season really behind look historical find reason place deserted unexplained enjoyable watch like type wonder given four many special effects lead mind think something else particular devil island episode added well try scare least unneeded thought well done interest end informative beautiful photography appreciation people endure bring enjoyment really good spotlight rather history seeking worth trying decide search ark covenant plenty great graphics top narrative look current line interesting get good look landscape drawn series done series approach different fresh assume know even basic knowledge goes learned great deal good never saw series discovery channel nice able see highly recommend interesting entertaining show intellect curiosity concerning less often exposed past interesting historical solve old interest many us unlike one try look little green men everywhere rather stays true find series interesting seeing lived made mark earth educational goes interesting different perspective like energy finding truth education boring people may think picture trying find personal well stuffy shirt tie wearing type guy like real life minus evil yes laughing yet still serious type personality mixed drive find actual matter willingness beaten path get interesting show watch recommend anyone interest famous scientific approach way think even entertainment though show enjoyable watch though nothing amazing place episode get view interesting territory first hand basis show great romp armchair traveler found interesting history repeat way much leaves much mind resolve really like show lot interesting historical little known extremely interesting dog lover however found really loving series believe admire tenacity really pit much even service dog sweet dog therefore book talent agency little people talent agency pay running rescue pit boss staff spend time errant pit intelligent show older teens language fact company known break law order rescue pit however pit boss excellent show want see positive role truly love pit also pit boss show genuine service dog part cast service dog watch regularly grin like save dogs also help people find work fun feel good show educate reality rescue great lot also grand canyon seen movie bit handicapped knowing whether footage movie good representation singing guitar largely gave four less long free rate would say give look good movie like cast know else say hope nope movie funny romantic like romantic like movie six people film sound like prefer gory paint nonsense wake witch independent low budget homage horror except thought provoking character development definitely scary people particularly frightening camera work dream look especially great piano refrain creepy effective quite good yes streep movie less stellar acting movie feel one b horror scary youth enhanced real story terrifying dreadful ambience ending weird made want watch plus able stop thinking horror fan genre also appreciate independent substance like wake witch still hoodie amazing little girl know think surgery would beneficial long run able walk one day artificial spell documentary fascinating hold interest end highly recommend movie good would great could get original uncut version print fuzzy wonderful see searching saw uncut version art house cinema mid much better take get surprisingly good saw vague memory film first foreign film ever saw even know came see provincial days death rise morgan title role radiantly beautiful daughter wealthy senator highly patrician empire recognition freeing murder mob reaction powerful resulting hideous courier important information masculine beauty love chance meeting fate wrapped time nice light moderate intensity workout catchy music get head reason give verbal minute two see little far clothes really fun leader great energy get good workout love talking easy follow exercise lot actual still lots fun easy stretch great would watch keep video get past fashion music gentle minute routine day good start note streaming video must informative looking review might otherwise know great high view new grenadine short seem like overview detailed good informative watch production quality great intended appealing minute segment get see real people less traveled country get feel like live two crew local people mingle let us look everyday resulting film different usual travelogue tourist largely people life death river physical spiritual importance river way important pilgrimage along gau cow mother mouth source ganga water flowing beneath high near tibet next comes seat goddess ganga former source ganga retreating briefly touching program apparently known yoga capital world portion swami different yoga way life seeking detailed information essence spiritual physical yoga may want consider reading yoga discipline freedom yoga sutra additionally may high point program defunct stayed inspired point ganga leaves second city ganga river said meet mythical river seen following program situated two ganga north assi south religious cultural center city lord particular importance end please note shown segment may disturbing human well remains river finally program beautiful shot ganga reborn ocean bay life death river interesting program many different river also found clarion call hopefully inspire us protect health important resource spiritual inspiration one fresh water millions people good informative watch production quality great intended appealing minute segment get see real people less traveled country get feel like live two crew local people mingle let us look everyday resulting film different usual travelogue tourist largely people film gritty apparently know many island anything south pacific island life need bit reality adjustment came across series decided try ended loving stop watching plot unique series really brought life interested adventure action definitely interested destruction love leap frog fun educational catchy math reading good video quite letter factory great leapfrog hit kindergarten class educational entertaining engaged thank bought trying watch galaxy tab spent minute video price able watch fine documentary fun watch excellent price pause footage could get lot bang buck oh yeah pop cod fish unmatched movie seen date though could almost kiss fish comes close face first capable player impressive shall consider beautiful like great shallow dive reef even yr old enough keep glasses video great understand experience film obvious film creator focus specific creature bother fact best seen yet sit close least sit back screen educational value video fantastic basic good younger better work seen white balance great important buy originally bought completely disappointing issue short time warm movie cost buy shipping tax steep price minute movie bought view new capable disappointed however player ray capable ray capable realize difference experience complete affect well done beautiful well instructive would good way teach well great entertaining educational wish little longer video many could covered e plasma nothing really outstanding though great underwater even though bit watch also overall movie felt let fact long blame quite clear read big price little movie aside lame song end good video coral reef fish maybe overdone cuttlefish fascinating watch nonetheless good times little overdone stated previously potato cod segment really cool young really thought coming screen trying grab air one better ray subject matter probably go get first film ran new family went crazy image quality fantastic speech extremely quiet crank bit grandfather hear clearly end goes environmental message global warming visual effects awesome lecture end tiresome mute last fine narration somewhat music recut video would great serene wall moving mural much depth good nice pop bad said family cool little power see exciting actually funny pretty good anyway thought good pop movie movie hurt example scene small fish swimming close screen reason could ae u projector hurt squint turn short probably min total thought fun documentary wish could rented nice high video checked min want see enjoy movie sure sea second movie watched brand new first ice age three dimensional real life imagery film astonishing diver home theater freak also fan wow narration poor actually disinterested script reading narration built gradually disaster forecasting crescendo damning planet unnecessary distraction summary highly recommend ray anyone enjoy vast turn volume first one best ever seen action sound effects may boring min show old son documentation movie good vivid color less hour long plus script longer great show good home theater even narrator though engaging though entertaining well used enjoyable whole family couple lighting little blurry good however beautiful way high priced short yes diver movie purpose show get film turns environmentalist picture rather nature movie towards end would give five narrator effect movie outstanding color possibly best visual ever seen well worth money especially leave sound listen drivel really gorgeous clipping screen appear front screen cross boundary might squirm little occasionally heavy handed propagandistic tone global warming lecture maybe amazing trip water worth watching go diving get chance fish sea life good beautiful movie felt like water swimming fish satisfied movie ever seen narration movie perfect showcase uncharted two always show seen home cuddle fish far learned lot undersea know gorgeous film run time hour feel like probably rented instead said good annoying feared would bought pretty much came one highest rated quality family constantly effects short plan watch said may good movie lots neat worth price movie great quality good neat watch really outstanding underwater nature movie excellent job effects one best photography blue ray movie best water really good effect boring many decided one little personality guess way meet atmosphere ocean really better bland deep sea definitely recommend one two make good ocean nature collection silly feared take away little special also like whole lot thought put organization took best footage made montage clips added music narrator said capture incredible amount detail depth good setup feel like aquarium looking tank best example depth scene potato cod big guy like foot away one point colors incredible focus quite bit cuttlefish one favorite marine species two fairly significant devoted overall definitely worth great choice show setup first time someone movie show interesting thing subtle informative however awesome passive glasses amazing colors amazing pop use ray movie show effects bought movie sole purpose trying function disappointed certainly buy rather box store definitely always perfect certainly cleaner fun little movie appropriately picture still good boring times still think informative worth least want show new would recommend clarity impressive feel water life like also lots fun watch short one hour reason gave tend blur close fault due camera see fine home blur look background amazed see across ocean floor breath taking buy movie show blur tiny quibble movie several packet color great works well projection system watched get sound watch grand figure get sound little pretty graphic sea life eating sea life word count requirement dumb based mainly quality video content like many done meaning may see screen brain farther back vary person person way brain exactly screen time said following see film addition opening floating screen effects extend way screen viewer another effects effects reach favorite effect large head shot potato cod least half way screen finally stick around go last bubble almost effect lost one visually stunning sea floor creature footage crisp rating good poor fair good good excellent note far go everyone different see may see fully realize far something screen pause effect direct partner extended finger tip seeing may click see recently plasma big fan cinema found experience seeing underwater film extraordinary especially full seeing large groper fish pan inwards camera brought whole experience life film took full advantage must tree home recently bought must see though short side around little one seen shot like home entertainment directed wrote shot intend see upscale phony post great dell led sea life incredible colors vivid great addition nature collection really cool must video realize recommend video great enjoyment son really learning different sea odd ways life great bought year old fast paced enough keep interested time slightly boring story quality amazing great showing v beautiful watch still see everyone favorite part truly beautiful educational glad watched year granddaughter spell bound effects great video buy inch disc viewer excellent realistic experience truthfully tell video comes extremely close person underwater vivid fish seem come right television screen one could touch really amazing narration good criticism could bit longer find topic captivating hoped definitely worth watched inch projector graphics incredible one think worth paying ordered movie several thought boy wrong however blue ray player made movie excellent depth mode menu guide depth fantastic almost good bought way show new plasma give try well nice video purpose one would watch nice price nice effects typical documentary short choose one underwater ray pick one got amazing pop effects vibrant humorous commentary really worth price tag stereoscopic capable equipment something show people come see first time overall great movie complaint care narrator movie quite beautiful really feel like swimming coral reef film cod screen truly stunning would recommend movie anyone ocean great offering home shorter full length movie right length watching new fascinating underwater throughout went focus twice doesnt add anything special great movie like nature complaint way short shipped fast well colors beautiful effects good great seen feel like reach touch coming couple video give feeling music background almost narration must say watch feel worth price version may one best advantage high definition equipment colors naturally rich varied detailed light shadow constantly genuine celluloid film format everyone sad see expensive sure digital camera ever match level detail variation minus one star heavy handed global warming propaganda last coral likely always state expanding great content color depth rendering excellent narration automatic assumption cause aquatic realm would stuck normal narration tried push political agenda would better normal sit family watch nature documentary could without politics pretty awesome series plasma though splendid really cool excellent back wen certain stuff came screen cod fish face short though great narrator good everyone video picture beautiful effect great complaint short sea great visual reef footage colorful inspiring watch kind weak movie worth price buy movie want see effects story video diver know much work went complaint short excellent video amazing fish coral well vibrant colors video really television family thoroughly watching video hi get better read bought care narration would agree ford narration would superior stunning video enjoy hope phi order version still much wait chance get peaceful colors beautiful saw another office got mine repeat like less hour long would like better repeated good component unlike play effects good e g large fish screen reason cost think would value several good think would young people never seen lot sea clear undersea life reef photography great narration great make go wow incredible never seen anything like whenever setup lots excellent find narration overwhelmingly environmental repetitive ignore comes around second third time lead question nearly show depth behind screen almost never something fly swim front coffee table nice movie watching amazing picture crystal clear bad movie long give best effect overall entertaining adventure experience may give star rating think degree excellence really nice documentary impressive quite accurate time sit back enjoy without straining standard really one anyways watch effects movie always away use u screen impressive scene lot tiny silver fish swimming together bottom sea scene show balance set correctly look place balanced correctly see every little fish perfect without shadow effect bottom line well worth money one scene couple small fish cleaning big cod fish real crazy second scene impressive ever seen system worth money alone buy enjoy give opinion every movie calibration screen order set system start watching video audio set would nice check balance surround movie overall definitely fun seen also nice abuse whole time also certainly ignore like reportedly movie seem quite normal unlike found commentary fun enjoyable got free ray player however probably value much footage great amazing complaint audio like music primary audio commentary secondary commentary primary background music background coming new superior frame sequential system need system used already anaglyphic system clearly mention system used want inferior setup earth know buy incomplete way rate product far know original must rate write field sequential star indeed gave obviously better fish swimming around first movie inexpensive good watch enjoy stunning video us divers get wet want go next time magic place learned sea life pretty good price little high expect got movie test new better depth market actually fish right outside screen amazing pic quality got potato cod scene worth side narration ridiculous overly global warming may good one borrow somebody like scenery end people content well organized little film good effects bought whole family enjoy everyone took one star kind short great family fun educational family night could longer included bought video try new projector colors vivid maybe bit bright effective fish everything beautifully shot great nasal voice bit annoying say overall though think beautiful video show home theater set video awesome could without weird narration like propaganda would rather music video cool though novice viewer ago one first bought huge fan diving take account love subject matter video feel like right water looking sea life person guess really looking make feel like part scene video watched times delight every time view one video use show potential always seem always video could really bring real ocean inside room well finally one really super sharp fact really cool watch hot summer times could stop finishing whole video watching however one giant draw back short hopefully next one would much longer one movie bought mainly show p full array led definitely movie would show family coz good effects awesome also crisp clear eye like open window looking go close bit costly short movie wish also longer like would nice price like lot watch several times like favorite ray recently bought also ultimate wave deep sea legend tron legacy bloody valentine yes say movie whole family include golden retriever put active glasses movie fish coming glasses go head back fun watch watched fantastic movie one company watch great visually stunning underwater prefer nature blue full length one best one better seen depth field movie many action coming great showing setup video quality excellent really fun watch movie educational setup great first movie purchase fun see maybe little running time still short interesting sometimes trouble getting sleep picked like boring show prime surprise fine show instead helping go sleep plot still expect compelling show give series great acting great writing also seem perfectly evoke era sometimes perfect true little able beat military intelligence still worth watch love period fact series fascinated knowledge lot angry taking time entering war really want us series lot turns interesting watch solid show solid cast big world war two buff find interesting peek past role kitchen thoroughly character driven wind unable imagine war constabulary without thinking character think archetype measure alone series worth sure include study driver also new woman think anything important understanding cultural change war brought society great television winding end day engaging keeping mind fully interested lyrical production value soothing great series good period piece true times look forward watching fan thanks start one get wrapped keeping track sort like experience grown like war keep sam assistant whose name recall identify veteran lost leg also enjoy period history series three enjoy much seen like old comfortable pair must see proper nice historical fiction series clean tasteful interesting thought provoking love two lead delightful background dealing unfolding war fascinating perfect detective protagonist subtle delightful change standard crime added bonus allow story unfold hour half time development character plot double bonus hour time frame sitting season season one session good period exacting detective supportive great brit drama character continuity drama diversity set backdrop real character great dry humor laced enjoyable really like turns series guessing good predictable series good cast sometimes drag little well worth watching expect lot action series written car bad shot really enjoy calm detective wonderful detective show beware though never able watch one episode great series lot wartime plagued home front violence filled sex parade like interesting beat head stupid fun see done show based idea time us living times back metal fat collection leniency could go serve place hard jump ahead difficulty observer accent thick trail volume guessing said little slow start eventually get hooked great story line lots solve mystery enjoyable series video audio great watching kindle fire series free premium member excellent show time war super fast facial recognition tech sugar coat social worth watching like lack screen violence unrealistic car constant fill good drama war first war opportunity catch much kitchen wonderfully actor writing superb solution mystery realize along everyone see period authentic everything perfect story true life wonder people war l like seem real mystery based ditto positive great able watch good show without brit interesting premise man stuck home front enjoy input female driver wounded vet enjoy war series immensely turns trio figure also enjoy window life country rather like excellent really home ridiculous war always common people suffer die upper class gain love history war story well written beautiful scenery great series highly recommend interesting historical backdrop engaging endearing good entertainment devoid today great show excellent series like like edge seat action suspense enjoy rich subtle miss series watching first three team become real character think get much better thoroughly dozen far look excellent really terrific period clothing home front war crime still husband really like watching war good mystery show clothing forties wartime era really authentic war era come life terrific complaint close figure miss least dialogue hurrah prime membership sots unless watched lucky enough stop watch show would never great show great strong good rely mainly sex violence action hold interest want see really thought good interesting history wife hooked look soon pencil paper handy related wrote much old turned evening ritual us daughter got us hooked war trying catch plot multifaceted series fast flashy every night major network guess find comfort settled one like interesting nicely nice blend history mystery quality best pretty good casual music fan real music find love especially like version ding ling several good many ago retired go show end long day climb bed cup tea little brandy watch meticulous stuff aplomb perfection still miss show great entertainment even get coming although murder mystery always pretty tidy enjoy watching much still love clothing manners course jane like old continue watch watch chose rate season four star season never disappointed plot episode enjoy wit class character everything show done good taste elegance bravo really like murder specifically drama crime one favorite love mystery among also think best great entertaining hardly clinker among usually done good job opinion course fan many enjoy mind one best show watching along personal taste course enjoy old fashioned murder unique little quite character find pleasant break comprise lot current diet best detective done series essence famous detective sharp master sleuth remarkable able maintain consistently high standard series perfect love series watched watch many series however hour like time watch movie instead show favorite character seen every episode least twice season little comfort zone keeping sharp bit humor hastings given room fully play one another well season definite yes always great performance even plot bit thin good luck always culprit love series master super sleuth series better tan watching crap regular watched several times always enjoy timeless wish would make good writer whole series fantastic great theme music background clothes atmosphere plot times get extreme attempt offer something new still fun watch free part prime better sleuth hit stride great wonderful clear favorite many continue long fan think really good job character anyone watched expect well written interesting appeal everyone great really got right dapper little detective love show one could play better great see old like watching first time great plot love love spectacular looking forward seeing rest series classic detective anger animosity dead pan look enjoyable sophisticated cultured little masterful quirky detective life screen living room one could done better quality production superb four believe never close door excellence always room improve enjoy good mystery know whodunit really enjoy able watch kindle fire period scenery alone light keep show high quality series great attention detail superb really role like like rendition always film delighted see given th season much previous good inspector jap main detective view added value series quality previous like enjoy release form st rate watching quirky detective solve unusual problem always load smoothly however always best enjoy mystery regular rotation may favorite season love like read gotten always fun read cast screen done fine job life appreciate attempt spice able watch small room appreciate true well cast well mild humor every episode although involve murder violence seldom shown screen main agreeably static today nothing exciting disturbing nice little mystery series want entertainment one nit picky complaint hate cheap ugly opening episode always fast forward past like colorful show gross bloody mostly done type classic spectacular character got either love hate love reading watching series love character never old love see hilarious great great great love watched wish call bucket head hastings make great detective pair two nothing weird complicated great substitute curling great show story terrific acting usual fabulous love various show made choose four show consistently entertaining lose interest best show ever seen always good although sometimes trite simplistic series almost always entertaining sometimes though little convoluted included information known revealed audience really enjoy series way life like one else done love art series acting really solid even mystery really old clothes good story many turns good hope everyone great script acting attention time period detail great could watch series forever excellent show season enough included excellent usual fan several series always bit humor fun odd little sleuth quirky ways fail fun watch star entertaining somewhat good show gave seen many period little bit faster pace entertaining love personality love watch without hearing foul language overt sexual sexual content hope ghost finder one favorite ghost probably story video video kept formula dinner tale knowledge nothing else intriguing series always keep interest unusual much v series world boring love old never guess ending art time period also interesting watch watched entire series love series want detective solve crime amazing serious al time love looking although mite feeble still building also love german styling miss lemon lively character feeble long shot filing system hurrah miss lemon told told series check much wish sound better much echo great show still give wife enjoying series many frequently watch particularly like complexity reasoning solve period always engaging beautifully good smart mystery always beat everything always wrong fun watch hi solve good good acting like enjoyable beyond doubt best adaptation detective date based read series true original story greatly admire dame wonderful work amateur detective genre take small said wonderful series make sparkle always think obsessive compulsive personality well defined glad another wonderful actor tony character monk condition realization every person personality insufferable nice character really period writing well brilliant seem faithful era amazing detail wardrobe truly professional labor love enjoy watching series series one episode sitting becomes cloying appreciate smaller ready series good interesting great watching since nothing confined house ice storm look forward seeing series video quality quite good experience sound quality well nice series glad available love scenery acting dialogue sharp plot concise dead feel like time traveling would really enjoy watching series feel like back time good series could given four half would reserved five sherlock excellent job casting excellent inspector captain hastings miss lemon excellent job would highly recommend series detective would imagine dame meant supporting also assist portrayal making ensemble rather one character carrying whole show series although based work remains true description little detective captain hastings expect like series much generally find little simple minded perfect antidote stressful summer perfect supporting cast delightful leave adore art architecture furniture product series feast enjoyable always dame writing miss second series well done series hour special truly primary meeting hastings ahead well excellently delightful although plot line mystery lots lots red good quilting crocheting classic well done true character tricky fun see guess wait said huge fan masterfully character life think ever seen bad installment give star every show exciting feel pretty good representation entire series excited found filled boring show thoroughly enjoy cast staff done nice lean toward done best ever seen look feel superb art simply wonderful course inspired classic brilliant series brilliant love actor defined role saw mystery good drama good drama worth repeat visit delightful short believable plus even murder investigation always time tea like usually good story line really like setting old time scenery video quality fine one husband like show great job interesting show sometimes suspenseful always enjoy performance season thought season much better episode fun watch right length well great get prime thought already seen new much love little series well little several well written series obvious mystery television know done love include comedy every episode taken long find show like well written short buy interesting mystery one need start watching good enough binge enjoy excellent high quality entertainment series lighter side wry sense humor times nice break standard crime drama season intend watch entire run entertaining like almost every book mind watching see solve mystery series well cleverly plotted made sly humor well suspense mystery hold well time series pretty good basically sherlock story written well usually watch cup coffee accent sleepy really like series great stream speed computer blue ray player fascinating problem subtitle accent time time beyond understanding found series trying guess funny side stellar performance series stride hard imagine anyone else role continue interesting miss lemon hastings inspector fun watch must see enjoyable little inappropriate material also like eccentric ability notice wife big fan particularly minute length nicely regular quality fine sure would able appreciate true value video taken course consequently video good adjunct course home giving video needs account new like beat sense humor gay sometimes goes far vulgarity old lady kind totally hot league hot cute long neck really nice skin could easily pass great movie adaptation well worth time watch one better sure wish someone put time effort one opposed recent remake adore king serious yet extremely close actual similar throughout also decent watch movie transfer great could give due lack special republic minute documentary make effects wish ported small gripe would definitely recommend ray edition collection thinner always one favorite king reason reading review probably already seen interested ray amazed quality transfer ray audio picture amazing seriously disappointed bare release special ever part love based king super story journey man must take free gypsy curse tragic accident life elderly woman man popular attorney negligent distracted would accident police judge conspire free attorney criminal gypsy man laying curse main character variety curse become thinner eventually wasting away perhaps price free curse might high costing stand lose billy burke biggest lawyer town reputation size weighing already diet wife lose weight billy big lawsuit client billy daughter underworld crime boss victory dinner wife traveling home distracted year old gypsy woman town local carnival biggest lawyer town sheriff judge barely trouble even though clearly fault really knowing system truth accept responsibility careless driving even get driver license court hearing year old gypsy grandfather victim billy face one word thinner billy quickly lose weight matter facing death everyone involved case release billy judge sheriff dying strange common cause old gypsy grandfather touched men said one word one billy forgiveness grandfather leave gypsy camp curse get worse billy white man town call vengeance turns pie cold good movie king fan book actually like book better goes much detail often worth watching reading good story line entertaining love king hard criticize good story one best still king average far better author best movie foul language gross spooky type movie movie recommend comes king get good creative story movie read book watched movie based king get satisfaction movie movie keep edge seat see next movie wait even king get ray movie based another one sure catch attention based fictional well plot thinner keep guessing whats next far one man go typical steven king twist end sure beginning end king like poe thriller mystery supernatural rolled one movie good flick one actual great classic good film recommend everyone watch movie saw movie ago pretty good nothing cable decided watch prime member watched nothing got enjoy movie showing several moral well film good character depth story great remember watching show growing classic nickelodeon enjoy flooding back watching forgotten found love ended movie first season show clever fun despite well relatable issue show four instead five grown stupid ugly gross morally inept fail right thing often say horrid funny though luckily focus show ruin show child love able share show childhood son remember watching son like good wish every volume disappointing seeing certain easy watch enjoy watching house hem quiet recently watched really happy see one cleaner watched many grew mature nature upon watching put year old daughter every night watch episode great look back family lot fun son watch show really funny even catch watching big fan show daughter really enjoy rating daughter really watching show watched several times even watched episode two year old watched show young still popular better nick day great fun fun watch learned always good work like us think fun try guess wuss first really worth paying interesting social low watching independent past surprisingly enjoyable movie would categorize drama romantic comedy humor relevant would appreciate improper culture feel general public still find movie amusing fairly well movie pretty good fan music may consider last song movie camera decent quality even though streaming big screen recommend interested independent film somewhat style drama humor glad since probably favorite film seen little long fun modern story kind dragged could specific group spectacular every category wait book next excursion see close personal two little love sit together use kindle fire grandma watch drawback first season one something else really like would say worth inexpensive cost min love nick get engaged help learning like watching much nick good watched first two em one got see season opener get chance rest one replace first two amazing graceful host host though beautiful harder understand agree review one judge hard please wish would realistic order get done season two previous doesnt shine polish first two ordered whole season though love hair salon season one two sheer genius still enjoy granddaughter much fill like best use sure grow point show year old son watching said definitely one begging watch old buy future easy watch anywhere go every alternate day watch video enjoy would like suggest view many watch educational colorful n understand n like simple math like n get watching like year old son team find interesting watch combination animation real people listen catchy episode geo bot help gather kite kite let son watch educational episode counting math power teamwork help need episode baby toy son saying help handed said thanks team gave fit old love cartoon good helping working together even might slow moving times cute theme song fun catchy two year old able complete stuff advanced counting game one educational educational enough available days nice take geometry young ing front show dumb stuff pleasant watch engaged learning many different different many love year old show issue connection related program made watch kept stopping particularly one yr old show actually learned counting like unlike kai lan yelling duration show loaded season one team grand daughter show back counting colors fun learning video watch show often enjoy well love show great way start foundation math interactive fun way take attention learning son watch concerned parent try limit much give hour day one pick easily agree three right alley learning colors even little math energetic colorful plus interactive show join sure grow soon age think good replacement non educational program highly educational however free per episode considering long happy show math instead watching show keep granddaughter thus freeing thing would make better could set play several back back good boy still missing pig hopefully add show soon great show grandson half absolutely math bought old new favorite toy put sleeping show mostly educational carefree fun intended audience tend bland colorful problem approach laudable dare say repetitive tell son theme song loop head long last episode beware love show show good mix math first grade get something nice one provide good education really love learned number pattern really love yr old watching team learned triangle circle square star counting developmental year glad see learning show grandson much cute show nice clean show seem well done young daughter show music also math thats great able go episode episode two perfect age group great show exciting learning experience delve three year old actually learn math much price little high entire season entire season one episode time really great show grandson watching every show valuable learning fun way son watching show really early math think great baby girl turned ago team love along crazy shake show great math subject like set real world jo love really enjoy show sit sing together wish available prime year old grand daughter every time comes visit awesome able watch anywhere prime love added season year old team excited watch theme song cute daughter really attention show somewhat similar day funny learn lot colors caracter team selected twin one time favorite cartoon interact learn team grandson show educational personally found cloying however audience problem mine suppose resent pay program better believe fair amount reading math relatively short shrift team fill gap admirably two year old really show watch often longer usually watch normal us first saw talking constantly young enough really get participate show older shout along pattern power answer answer recommend day near like mine pretty hilarious adorable falling asleep love show fun learn social problem streaming smart one son favorite one actually math young granddaughter stuff see watching much teaching incorporated nickelodeon much better alternative great example content still bit advanced deter wanting watch glad program caught year old dancing singing opening song like little one keep watching show cute educational entertaining like watch kindle fire granddaughter team never loaded onto fire kindle work episode never yr old team watching kindle engaged learning aspect team love would give streaming every could wi fi though guess daughter show obsession sure discover something new soon like math portion show cute son show lot definitely one better though geo always make anything helicopter every time mean watching show make go sometimes yr old grandson currently watch program pay much attention really enjoy year old daughter show one little problem cartoon land son show variety math working together wish included prime way learn new generation good totally different show year year old often agree many agree team spent rainy afternoon watching season gotten like talk also ask year would solve problem building problem think little weird like saw watching said watch cute amazing love every single day compare cartoon network love great show colorful energetic mix live action toon well primarily learn colors correct object series two year old show great job visually math really annoying probably sons favorite episode show lot good math entertaining learning well entertainment one package glued cute highly fun informative daughter love pattern belly belly screen nice one great show son really watching quite bit basic math five yr old seem get enough pretty educational entertaining watch son three absolutely show along team even little dance together end mention watch lot show definitely list child think great value opinion perfect video confused planet earth series relaxation meditation type video speaker telling looking tell looking great footage music part keen minute fire place wonderful aerial footage show growing good prime would recommend watching funny witty recommend show little simplicity one relate numerous individual found high school quite similar found glad left forever series bring back much better view like redundant always well sister got second episode go guilty pleasure slightly older high school angst gen x high school like dry wit smart antisocial opinionated since surrounded people funny shallow often insightful like relate like watch much time used watch show may identify much used still fun one relatable high school great show anyone fit popular build even half brain amusing sadly music screwed alright story stand alone would better original music bad season delighted find prime hankering dry sarcasm ruthless commentary modern society adolescence teenage son initially resistant watching crude animation watch would keep title mad watch intelligence like show classic reason witty sarcastic sometimes biting humor always fun although watching may start feel certain disdain world good way course like nonsense approach reality refreshing see stupidity pointed everyday setting caught facade society poignant way pointing stupidity pretty good classic show girl going high school much instead making fun remember watching show late night younger like main character similar real life people high school interesting little show give look might like hate everything feel born wrong time period guess way feel show deep seeded feeling graciously subtle sub text wish could vocabulary still classic disappointment faced lack combined somewhat low sound quality retired high school teacher find cartoon funny spot course truly one stereotypical even relate take school work social scene relate way watching back high school days watched show original run still well today society although make laugh much gotten bit older still great blast past enjoyable interesting running gamut near stupidity adolescent innocence surging watch interestedly interact protagonist victim life certain stoicism resignation get way said done amazing show still today still really funny show watch show love sarcasm dry humor show show much great show sit occasionally laugh world view certainly great distraction day sure got watching show found prime glad like come home work get stuff done around house time relax couple old school generation enjoy see series available enjoy mostly background television back fun angst filled teen glad prime enjoy able watch occasionally watch whole episode caught several fly back see whole thing smart wonderfully sarcastic home us part herd wife much common still love show though always well written say show love living life right way since seen series high school say still enjoy day still laughing dry humor sarcasm insightful surprisingly refreshing bull last decade witty sarcastic unemotional let honest completely relatable surrounding far intelligent make like television one die relate type humor dry times ridiculous recommend anyone sarcasm dry wit young child show originally came put unable appreciate considered weird adult friend mine said personality decided watch episode hooked clever show many different episode season watch two week work bowl cereal taken back high school days love wish original music understand going happen still hilarious regardless deadpan humor unlike actually watch like remember hoped maybe quality would little better best quality begin dig course lot original music show unfortunately also n many cut know getting took forever release partly due music expensive would release material without popular episode throughout original tenure brilliant series funny sardonic witty suffer lack current state release yes doubt however video quality sound excellent voice work still hold well quite without original music reason could give would easily original really fair amount effort put task instrumental least tried somewhat mimic feel many original really quite overall experience still great trip memory lane truly classic season first especially great start especially brilliant series first meet also great starting point great friendship jane great like worry low self esteem mistake jake say low esteem everyone else tell wonderful get wrong also highly season pinch sitter night two tad road worrier start seeing budding crush jane brother series first get see perfect way catch episode first season plan watch rest best combination pessimism sarcasm true satire life teenage angst one cartoon great toon show around time many cult classic still running love watching childhood watched entire show week better upon reflection though would recommend age could considered typical far plot goes enough twist keep season happy show better age catch humor often used remember show use air young watch watched anyway pretty funny show fantastic show subtle humor get hell laugh one line good satire high school whole family watching grow inspire us enjoy god love field helping one another like show think believe wearing yet time reach season already wearing also pretty vain bob much hair spray hair little use much hair gel hair spend much time front mirror going anywhere ridiculous think interesting vain yet worried dress making go anywhere face want go face spend much time hair perm hair appearance vanity condemn vanity one biggest written pretty fast last season saw building towards war war got watched episode never understood season episode hooked stop watching overall excellent season completely boring forward movement interesting watch tony character develop bit final season steadfast fan watching series final episode felt really rushed got impression chase stellar bordered one thread final episode forgot found realistic agent tony locate whata love think hit peak season season let especially last episode heck eating diner please work treasure many watching series ended pretty good idea expect every minute final season number people shocking excellent disappointing ending bad episode whats face bought farm like casino part episode typical episode still awesome show season six amazing series finale big fat best violent funny action soap opera combined bad language really watch sad final season avid fan six broadcast decided watch season six ending give away judge season six quite entice watch really worse thing say good breaking bad last minute last episode stellar good bad section funny realistic sexual feel necessary support yes watch last season good really good thrown last scene scream explanation family ordered clipped replacement contract guy zip got ray safe good package checked ray disc one scuff went away take wail see disc work ill update soon get done came say would plus came good thing everything anime attention especially like big green looking premise anime creative well anime bit watered manga friendly less edgy voice acting quite good number usual version voice top rated anime obvious enough anime longer nonetheless enjoyable funny case slightly broken perfect shape great price series would definitely buy love bad anime grab like think worth view recently watched soul eater good show believe good show like still worth although believe going bit board however little ending bad like revealed hidden ability yeah great show overall best anime pretty good sound soul within sound mind sound body soul becomes evil potential turn demonic weapon come soul eater solid beginning well written deliciously fantasy series solid writing twisty subplot get even better time work lord death keep world overrun get rid evil kill battle try collect weapon become death among number scythe soul eater narcissistic black star death son death twin patty right combination evil problem grapple mad legendary sword vengeful werewolf demon blade also brother even worse must battle evil witch infected soul eater madness black blood little group may world hope away death unleash ultimate horror world soul eater series kind well think bug eyed big grinning sun moon pointy academy apparently built needs fortunately substance soul eater solid dark fantasy story becomes outright brilliant second half series bit fluffy spin good balance action hint romance plenty comedy standing yelling like idiot soul black star trying sneak territory especially grotesque madness sneaking soul also strangely endearing cast usually odd laid back soul bicker snipe clearly care deeply one another black star look sedate turns narcissistic would suggest mild mannered sweet foil death cast nicely violently mean literally symmetry everything mention hair voice also deserve shout laura bailey rial excellent utterly brilliant pig louse deserve die relative eerily like bosch perfect titular character solid horror series bit frothy soon brilliant balance light darkness soul eater solid first half enjoyable series anime great great amazing story since first episode feel like need see design refreshing way chance see hesitate one time gave soul eater watch got around simply didnt feel like show came adult great anime block like anime check midnight support extent interest like anime went see consider anime found amazing complete series set next days life spent solely watching rest series please know set dont care many special also regular one solid color theyre course theres slip cover plain clear case insert exact thing slip cover cool picture main inside understand made cheaply affordable glad option wish would combine multiple closer one piece collection great season burn wallet high quality soul eater pretty said probably good fact reading already know stuff keep short first half great however like series alchemist series source material likely still running manga monthly weekly unlike manga last half still good ending trash bad generic cheesy youve seen without knowing times hard feel understand small spoiler run run dub great talented voice youd expect animation done alone animation great besides character thats terrible drawn toward end trust learn dont prior simply want watch entire series especially dub since even past first half already weapon pass item gift one love shipped fast early price right love anime great unscratched every would get caught bad wished would better regret purchase though great series ray missing final episode lucky watch net ago would love anime library oh release series without conclusion know decided imagine ending great kind terrible marketing effort get buy another disc later whatever reason series great one end leave hanging ending shame whatever reason super series useless purchase without ending good series goofy funny becomes series get ending hoped feel one episode overall would fool buy funny series far still first disc good story might appropriate younger really great series anime voice acting little getting used mostly character th episode really grow get lot story character course epic humor also well done laughing loud main gotten really great show anime new alike would really recommend review trying decide whether purchase show reading manga reader manga immediately content maturity dialogue watered likely suit international younger audience alone enough steal star away otherwise series amazingly unique creative action type anime watch sound completely story still really great less sudden awkward read sidenote voice black star spirit may take getting used admittedly made halfway getting seen far plan finishing eventually entertaining show surprisingly funny times great series series stopped pretty new soul eater love series wish correctly kind confused done series complete think worth love show well plot good whole family happy awesome product shipped time comes disc booklet anything complete set however get pay recommend weapon one package one case special present two setting quality actual anime aside let look medium aside cover carbon copy original weapon pop disc know difference respect golden however complete series case issue insert fine front successfully punk art style albeit weapon two biggest main soul along two popular side blair back simple black background entire main good job anime party front drama back since reality show outwardly slapstick comedy excess ultimately character drama thus show typically everything insert issue case wrap warped terrible paper sleeve whole case comes could considering paper case generally disposable anyway every case necessarily warped however case explicitly designed poorly sit either side separate case hooked onto beam turn hooked onto case beam comes easily pull entirety little effort drop case could fall even worse one beam could break none would ever go back case could even feasibly result normal wear consequently recommend replacement disc case immediately assuming find one would fit insert one seen highly different anime tread line comes nudity sexuality however really show anything bit questionable younger teens soul eater said seen bleach seen soul eater overall concept bleach surprisingly pretty much everything else going combine two currently popular anime manga one right soul eater well art style unique love everything top frankly probably great overall story really cool ending however completely lame disappointment good anime awesome different bad thing anti climatic way hero bad guy good death grim funny nice action n stuff funny fight could better still good anime love favorite anime first ever watched recommend u old least horror hotel also known city dead b w feature actually quite noteworthy recognition though movie sparse effects lack turning atmosphere result authentic tale witchcraft new one interesting learned film despite setting film production put throughout film film scene witch burning th century whitewood woman found guilty witchcraft burned stake help directed man valentine vain involvement present day young college student occult nan barlow explore small new town whitewood urging college professor alan lee whitewood behest professor rather sinister raven inn run oh point viewer going go well poor nan girl rather naive oblivious sinister present inn also village nan goes village bookstore one st kindly old book witchcraft also granddaughter village reverend nan goes missing goes search nan family return personal item comes possession nan brother nan whitewood sabbath finding life may grave peril story quick pace towards climactic quite unexpected ending even though film b w found film advantage setting small new town bound fog palpable sense malevolence saturate entire town even though effects may seem quite tame today genuine jump seat found entire experience deliciously thrilling low budget horror gem definitely watch would enhance classic horror fan library rather thought zombie phase finished comedy breathe little life back otherwise dead topic bit goofy still funny material got kick character envision eastern trek entertaining journey definitely one language tad rough otherwise enjoyable half hour type trailer movie free complain waiting make android play tablet nice see background movie came also entertaining great change zombie movie lots see fun one love comedy love like movie come give guy already please may one best woody time thinking going watch whole movie fan movie worth time thought movie probably enjoy behind look sure anyone would care see video something would expect see said one better promotional seen fun watch always fun see outside talking like agreeing everything say ha movie watched video think review even necessary better average zombie movie comedy twist play seem well cast woody perfect looking sit watch funny movie require use much brain use woody usual self rest crew fun buy know got purchase list see film since great dinner movie first date movie break ice funny great acting great story great movie many different hell even sit whole family movie night movie whole family laughing family fun making fun watched times waiting revenge need find another fam like go hunt spree pam hill search special making explaining like movie definitely good way continue movie series sure take sometime transition really wish would finally release episode thats minute minute pilot almost nothing new always follow might live plain awesome zombie fun watching got done make double seat skillet travel kick ass bare swing low pleasantly good series expect much loud bunch times since show movie made laugh often thing think might need make look zombie like fast moving still oddity accept look dead finally since dead another movie lots comedy new twist survive zombie apocalypse really upset woody character idiot opposed tough guy original movie really enjoy movie great watched several listen stern daily beer league fat fish dirty work great good b movie made laugh couple boredom cartoon series loosely based upon movie super bad sight black dynamite white hilarious parody classic soul cinema black dynamite streets find man responsible brother murder much sinister plot crooked drug dealing trail evidence way back white house creative team behind black dynamite struck comic gold new cult sensation help talented wardrobe location sanders truly film walk every suit every store every line authentic era script brilliantly unintentional humor absurdity found therein visible boom place entertaining visual clever straight faced make classic sanders even super color reversal process give black dynamite vintage look even major throwback like double bill number hysterical top like hall tommy screenwriter one top white black dynamite bad ass ultimate ladies man rightfully earning place beside cult like shaft top white insanely funny nature script perfectly although black dynamite require basic underlying knowledge genre order fully appreciate humor still twisted treat fan pick enjoy carl like horror highly recommend movie love intentional awkward acting non stop black ass kicking quote movie nonstop around stand movie ridiculously funny even want admit seriously watched movie twice much maybe even first time ridiculous terribly perfect definitely give silly movie watch force watch hate love always personally think best still funny would probably watch biggest thing learned buy land live make sure buy mineral high probability something substantial value interesting watch small town grow big profit always good thing opinion interesting documentary would information critical boom like found one informative interesting see real people mineral view situation family father side grew around lived around area many live go back visit family film sad problem dependence oil pretty well done documentary decent job small town oil even seen family knew wether believe case couple pretty amazing coming interested watching fun already knew hill abduction story short documentary would like read book really good job encounter unknown still mean another world read original book never hill story many many could many people involved like lot lose coming forward tale end lost much definitely worth watching interested tad bit creepy especially believe event related hypnosis good see betty barney hill story would recommend sort excellent sense worth remake arrow restoration latter coming soon interesting film filled many clips battle never seen well done learned new information however gave full people enjoy would slow average person however war buff enjoy war trivia really like film well done great detail movie good synopsis main book short enough figure book time read really message high budget movie however based true story like true often make better great movie missionary going foreign country especially one used foreign presence little short side read major appreciate ministry message possibility cultural equivalent present gospel thanks emphasis able find one time however opposed people raw difficult show mixed audience many bare breasted realize reality difficult use film realist gritty strong disturbing provocative thoughtful creative well made film journey despair hope multidimensional therefore real violence gratuitous purpose creative use audio good film may appeal huge audience popularity necessarily make good film video little major nice introduction brief long historical well produced nice price narration bit cheesy nevertheless great collection footage often forgotten pacific campaign campaign needs brought back memory people much graveyard upon campaign since either suicide also us tragedy manila mostly father army us read major seen portion war well visiting many major battle grounds saw ken documentary war visiting se appreciate magnitude war pacific get enough subject realize war us unfairly war particular documentary informative sure could longer still would covered detail whole story war thought documentary informative would recommend someone know subject found technique helpful interesting money would see various assorted extend lesson great start becoming series might lend better option purchase overall would interested additional produced future looking little depth history still interesting however informative bit dry looking good time china people would recommend anyone increase life learning may occur journey many wonderful days inaccurate produced rather produced know word make available us tired focus naked bed program informative found interested much interested got confused left topic suggest focus next time information would like video information seen someone never seen video like pretty decent one joe older good one suspense yes finally able buy watching hulu several times highly recommend fan short shallow fun farce intelligent pretty better make movie show intelligent pretty good something see every day could find many pretty program covered interesting wildlife behavior sometimes cringing since older video quit sharp brilliantly colored get used flat screen square picture middle still worth watching free prime great variety acrobatics although production value polished feel provincial circus nevertheless entertaining amazing discipline grace creativity much good know movie production sequence slick unusual see enjoy even though short film thought going relationship slave slave based description still interesting well done raw real yet comforting short documentary relationship daughter mother grandmother daughter way raised certain centric cultural mother daughter well exploration relationship really learned history honest real searching subject matter film definitely unlike anything ever wild uncanny kept full attention music written amazing film debut wait see stunning works forth future narrator little hokey entire show may venture cheesy sane critical stuff way narrative twice think narrator great job essence slice lot explore think dead target smile entire time else ask may take get show watched movie amazement video first time really people real establishment hot headed people beach street bar real story touched especially mother z l also ran fought right thing support one knew always courage follow education way would come never anything especially saw days one moment believe spy traitor always naive ideological traitor spy shockingly still almost alone belief never knew closeness one family people thought naive one far removed story left alone elated far away freed knew easy unfortunately still true great video bit late nonetheless worth seeing anybody broken still humanity beyond nationalism heart interesting compelling follow first film style slightly different getting personally involved voice decided follow chosen addition also sad tragic lots thought provoking bittersweet leave mixed assumed likely unlike first film get much personal look hear say course four ending though dramatic abrupt times throughout movie unclear taken place otherwise excellent film must see anyone seen first though movie pretty entertaining funny listed trailer thought funny story pretty crazy went college doubt could true worth watch looking odd ball drama treat find kind material keep please scenery unique seeing fireman engineer operating locomotive great perspective hope series steam rail fan enjoy one shortcoming engineer fireman speak difficult make saying background noise quickly suspenseful interest throughout film different story well cast appear acting possibly doctor real german doctor thought mother really mother really real life scary experience however prelude longer movie go far enough could tell story heading great story line felt right money problem film short left wanting would love see made full length motion picture great creepy music also short film set high standard good casting selection great director movie fantastic score great overall potential become major motion picture lighting could think overall great short film great story line worth personal film library really like video guess educational also get something extra twin two year crowd pleaser calmer easy kindle air travel free good episode good evil also video game explorer crystal kingdom used attend graduation let little watch kindle ceremony two year old granddaughter movie boots swipper fun watching prisoner see deal issue low self esteem far truth hopefully theres aftermath men society prison series touching love parade one man chronically incapable making good life train wreck train wreck one thing took away series love nope marrying married long term inmate bad idea unless enjoy martyr want extreme financial hardship alienation family basically never normal marriage family life mention never sex spouse sympathetic however seem caught almost adolescent love intimacy appear think love must always win rational thinking common sense realize love balanced healthy life grownup make hard highly recommend showing series adolescent girl begun dating yet let see set bar way low man woman desperate need help depressing one woman needs taken opinion dad needs found want found would benefit sorry life instead sorely affected poor prisoner biggest con real predator something waste time nothing special nothing really say used focus good raw movie eye opening alternative end felt sorry made personally feel really show kind sad love someone never get prison could believe done crime devotion admirable quite step going probably continue next like program purposefully television imagine could make subject matter different entertaining enough take hour time run acceptable sherlock house abbey become stale could finish season decided try couple based star rating happily light good non violent non gore dead offensive sex parenthood society spot accuracy big close family program around positive refreshing much drama want sit talk walk away entertaining would recommend series keep u laughing u might ever cry great show good family story believable would recommend anyone light easy watch finished season imperfect made strong perfect love wait start season love interact show love show importance family lost days watch season see watch season far good interesting family real amusing thoughtful modern family enjoy watching getting ready morning evening younger well older one better family drama series great cast great right great completely relate family sex prefer family really great show anyway awesome show love watching glad catch good family saga emphasis although generally quite bad interesting speaking everyone never seen pipe spew dry matter like early scene seem like would difficult brown liquid stuff come like real world plumbing pretty good show almost like tried hard stick exactly script original movie love parenthood real chemistry obvious wait see future like parenthood never chance catch comes opportunity watch show leisure without missing anything able read every spare time watch parenthood say watch one episode two three later still watching series really love way family connected sometimes feel must somewhat tiresome always going side family great show glad upon love nice see since love parenthood show daughter seeing never saw parenthood picked last year thoroughly aspect getting know story line condescending stuffy ultra believable group strange turns life deal hooked seen see seen many refreshing see taking new high caliber around hope see know tuned thanks glorious topic devoted great acting neat story want move basement something still young continue rent credit card eat food every episode emotionally stirring times seem corny much home beware great show thought true life nice see family normal crazy like recommend tradition best think abbey brother parenthood care becomes part family well written well husband enjoying show saccharine binge watching nicely mild diversion one two time type show intended quite well done go gritty realism watching series glad prime since totally late discover one care though get slow sometimes nothing super earth shattering plot line appreciate small especially parent great feel good show lots easy relate yet interesting believable relate able imperfect lot plot part story arc experienced interesting see deal every day good bad always manage come back together even necessarily like relative would recommend mostly family friendly address teen teen sexuality marriage drinking might suitable young however alike appreciate candid nature address possibly autism condition admit skeptical diagnosis experience would never understand show head real daily dealing told watch show cope better knowing something many face day day part entire show able relate many fine series show something well written good fun feel like life family great time laughing always laura graham find funny people say show talk life real life talk real people encounter typical family real fun real like real life shoe like modern version show like little house prairie good message anyone parent would like see show wondering big family life show overall pleasant times seldom screen would jumble lag loading general completely show great show enjoying show first already several plot looking forward rest season good show actually entertaining well good show entire family even show well likely year good cast real life believable sometimes hit close home heart endearing real life situation movie like current good family great cast laughing one minute mad next minute sad said bad roller coaster ride glade chose watch first couple show bit something balance comedy drama quite right hit stride mid season one great ensemble cast solid acting true family life also love warning seen first large cast sympathetic facing many different young old face wife find often painfully true always engaging usually funny often hopeful show network first two wife watching usually like family series feel include every portion demographic nevertheless show grew genuine moment compelling dialogue ring well light hearted like light hearted way accepted dealt series would like meet family frankly doubt real family handle way entertaining easy watch touching story family lot glad mine screwed still fun watch enjoy struggle role various life first think extended family picture perfect almost unrealistic see big happy extended family however towards end season see real life getting along perfectly example head grandfather grandmother perfect struggling marriage unfaithful teen fighting boy another example disharmony best thing show see true asperger child unfortunately familiar family member overall good show excellent series well done well real different people people good bad valued real life like autism show realistically possible something everyone adult younger fan enjoy entertainment dealing family dynamics enjoy parenthood believable dealing w real today like real world parenthood drama humor function dysfunction fact sometimes little close home great good whole family interesting take parenthood thus far good bad ugly look forward watching people age relate life series crazy life seem little normal found show well written amusing original movie continue watch follow show lots potential look forward watching watching mesh well together bring drama realistic dynamics like network television get neatly tied even enough tide next week end episode still enough old sibling dissonance familial bond make something familiar warm version reality even biting coffee even though second mortgage bad threaten family home pretty sure never happen enjoyable watch especially since pretty like able even sometimes human looking something different took chance series could stop well fresh true life love show dynamics family well extended family pretend like perfect deal deal every day thoroughly watching show recommend know parenthood good show relatable good keep singing theme song head forever young great show watching gram entire ensemble great recommend people wanting story action really like show real real life deal everyday making comedic light looking forward watching season real life family adult family acting good great reason dialogue perfect frequently reality calling often suspend reality favor theatrical convention great fun well done show talented business sometimes good love upon show year accident watched season four show real life happen touching funny emotional silly sometimes balance good funny dramatic seem bland overall really enjoy also like watch around violence really crude humor show great typical everyday life gave family view religious picked thinking watch next break ended watching entire thing four consecutive nights first night watched first three thought decent story interested enough watch another episode got hooked first great thought acting pilot episode kind stilted realistic got know better realistic although still area stilted glaring spectrum would expect see one gay one guess really brief summary four live near one one family almost perfect one flaw autistic son really flaw one place eventually excel one mother drug addict rock band father two bit disturbed much daughter really wise one daughter married stay home dad one child also flawed gifted last son wild one still laundry home finally settling five year old son found little within family hit stay home dad perfect family wife start working meet guy unless teacher daughter crush wild son newly found son moving plot carry story forward list series first kind series look closely dad speak wash laundry show said caught seem sit around waiting show people manage get several times day horrible east bay traffic could really show new school principle come tell sorry decided hold back even notify school really nothing torment judge one works stuff like important sometimes pop mind get distracted enjoying show good stuff family connection one another solve found fascinating know realistic every problem family four adult minor getting along always go one another think strange also really funny poignant perfect although one dad close perfect think ultimately work realistic fun engaging escape real life family follow clan everyday life entertaining endearing almost tear moment every episode glad finally mil recommendation watched really categorize show entertaining much like real life bad thing best part show quirkiness notably worth hour two week maybe nice see show relate family based hope another season engaging interesting episode along nicely go pleasant time pilot pretty bad got better better season really enjoying story good relevant enjoy continuation realistic usually love show people relate way wish family inspire love show relatable story believable relate line keep wife one really good review based said careful put watching parenthood coming close available prime also got cool kindle fire show funny cute intense creative also scored extra star great music discovered several new various talented good looking sexy men friend work turned parenthood beginning season enough pay season set craftsmanship parenthood fine show involvement virtually writing direction ensemble acting high caliber good humor also evident notably often provide comic relief serious show couple raised carefree let find way attitude manifested mostly daughter son amber drew often serve cautionary tale lax show credit sugar coat make family rather poor contrast truly touching imperfect people taking extremely difficult may often move occasionally get silly top week week basis show works one point content yet watched parenthood family program show liberal take family dynamics probably turn conservative show air time mistake parenthood face approach toward adult teen sexuality explicit occasionally uncomfortable dialogue criticism honest observation one well aware content may inappropriate mature high spend time show compelling dealing real bit sure get per episode basis much enjoy show great show true day day life parent sometimes great sometimes great never family drama displayed realness typical family goes depiction character fully realistic family life nelson gruff army vet bull headed patriarch perfectly cast potter peter never better portrayal married couple way diagnosis special needs child outside consuming situation although might assume parenthood raise young tell assumption would wrong show much adult sibling relationship raising best graham peter erika shepherd sitting around acting like fighting singing silly huge fan matriarch apart awesome writing awesome script awesome generally best show television apart incomparable night want tear little every time funny interesting little bit real husband baby fun think different face watching series beginning get caught missing glad part prime account deal wait see love think even thought really good story cast great category good thoroughly parenthood beautiful little show shooting nice job day day close knit slightly manic family uneven show find footing short episode first season episode ring true moving plus episode way leaving viewer feeling better watching peter potter play loving close husband wife support system enjoy company quite epic still refreshing change many laid first season combined skilled lots potential upside positive portrayal married life brown really enjoyable newly discovered son together real charm chemistry fun watch mae fantastic amber even though toward melodrama performance never actually general younger interesting right well bad child actor bunch wonderful music selection throughout show perfect naturalistic friendly shooting style sometimes really wonderful times like give enough structure support scene related issue noisy boisterous everybody talking style true life sometimes pace tone show uneven quieter thoughtful manic conflict comedic quickly comedic seem bit forced also many lot story fast enough depth disappear large time ie drew even could interesting going seen review show well paraphrase strong character rich well show character driven written plot driven show serial sometimes overwhelming making feel rushed overall show definitely worth lot entertain plus lot promise future relax enjoy expect perfection expect genuinely couple times episode biggest complaint season lack special would show like one episode commentary handful one cast commentary writer commentary one episode creator like lot effort went making release something special funny look family real life perfect little wild family sticks together like show middle something see much lot trash reality done nice see show type integrity many see even real life glad stuck type theme hope future good finished season one think got wife hooked well resisting watching time want watch alone hence late start watched pilot said care acting watching initially could see would like well gave chance one day watching seventh episode watch another one really disappointed men certain age glad see parenthood made season five seem suggest season two even better looking forward watching rest action incredible never moment boredom thanks great character development even moment hooked program several get moving becomes interesting season lots intricate family history established season much better right along story development human empathy spirit night parenthood tell creative process work storytelling find appreciate although may stellar cast especially peter one best television however since like sure go way enjoy many escape reality rather mirror us reflect real thank team watching parenthood graham one favorite days show based family dynamics part large extended family single teen angst marital also one television like special needs child week interesting engaged acting ensemble cast grown strength strength nelson patriarch clan married sweet gentle couple four adult peter one favorite show graham erika senior executive shoe company married housewife potter teenage daughter young son problem child married young away back home two teenage amber mae drew set seem find job really potential sure exactly meant teenage daughter amber quite handful first season high achiever hot shot attorney married building contractor turned stay home dad graham sam precocious young daughter finally family carefree wild child houseboat great surprise biological son brown relationship ago beautiful jasmine joy first season family go older find marriage rock bottom searching form identity trying responsible parent face true discover young son may autistic asperger syndrome come new role father play well mostly come across ensemble cast wonderful job especially nelson graham potter refreshing change trashy reality days still fan three look forward another great season first time saw fell love movie thing stopped showing movie many ago made mad soon found friend til found please get buy quick behind look movie long enough actually interesting hearing director film cast seeing done special effects pretty cool everyone realistic interesting watch consider could happen world else say documentary format rather person live narrative school grounds history thus well put forth manner felt institution mission rosy noble light forced rosy sympathetic perspective indigenous people two producer give us fresh material worth watching trying get truth looking every video description supposedly discussion journalist also supposed display interview well guess video subject respect disappointed see listen two old horror movie back considered pretty scary seeing love old movie searching around trying find found thank still love unique plot make must see movie bad done remake often great watched movie younger happy see list typical monster movie transparent prop fun getaway monster bit rambling sincere precursor slew modern last group earth days later walking dead blindness favorite valley girl take night comet great fi story time movie quaint watch cheesy except gun movie good candidate quality remake fishing around past twenty trying find something watch girl town pull bit really find actually watching enjoying considering first review spent three far worse model splash put together actually put time mix live photo several different stellar capture plot point music put seriously chilling hour watching beautiful beautiful enjoy would interested see could come little cash thrown way parent sensory loud household really quiet like approach documentary yr old engrossed nice change pace complete story pregnancy birth realistic nature couple husband mother confidence parenthood going know said pregnant first time show weak overly demanding personally understand desire keep family arms length independent person want husband support time birth nice also work point documentary well done entirely times woman fast skim really quickly low rental surprisingly good looking birth video go like baby story without stupid crap western culture sell us buy bunch crap baby needs basically wet shirt around best looking sexy dancing wet lots topless action full frontal dancing worth part part lecture series history think first half part lecture quite informative however think second half far much time minutia architectural one building time might better spent economics say slave trade moors need fill herem true shortage could touch bit likely economic impact exodus south north flee purely religious persecution economic surely trend major impact realize lecturer stick detailed account financial impact expulsion inquisition obviously detailed period however could speculate little bit probable impact major demographic alternatively could spent typical daily life average regime period maybe period unique cultural modern would find strange different alien instance overall pretty good series wow amazing film ever turn way six days shooting wonder film would like script writer spent amount time writing better script stop motion must longer production time unless stock footage put rest cheesy effects thick leather costume taken days make used material enough make long sleeve arms good time scenery camera probably pay along good craft table would recommend film must purchase probably unless like collect video box art used sell video store shelf fan see every film made good great way last half film screen time ray epic tomb even dialogue spoke la bounty much nicely done minute film nicely always great see non gay tend complex less one relationship nicely sensational ice however watching dancing men skating sameness ice gotten interest really flagging way scored artistry little whereas air landing almost everything put together artistry well except top four though could everyone else sure watched first instead last would true watched though favorite ice dancing artistry musicality dancing also ice air like think helpful know nothing mock though wonderful film group people suffer define relatively harmless somewhat humorous draw group therapy tragedy well really felt anything lived anything entire unlike airless expanding sphere bump awkwardly though seemingly incapable even true behind able time make functional pretended may one point story however character angrily incapable qualified offer comfort life improvement therapy anyone character left alone result left realizing effectiveness therapy may irrelevant relation amazing growing franchise many humorous surprising laugh loud think larry burn reading breaking away one film one appreciate title able muse us know within buy film watch plan daughter watch show onset puberty poignantly difficult teen pregnancy show diverse face see v completely understand need however disagree drew saying day pill birth control take pill could possibly murdering innocent child pill guilt responsibility away knowledgeable people educate still call baby fetus take pill day really taking prevent pregnancy get rid one possibly bad news way around certainly stand god explain entertaining show come anywhere close real life experience review written teen chopper watched focus slid bike building onto drama father son running company bad feel different never go watched really fun us felt like got pretty good idea going would like went fast subject subject lot short time best show short miss get enjoy good season ensemble acting rate right today inner city live walsh first saw southland hooked realism spent look realism medical cop southland gritty drama like fact taken cop beat point view face every day respond depravity people cop job cop pain goodness new cop job well fleshed realistic around great show hooked show enough season six would buy anyway per great episode consider amortization besides probably watch enjoy watching southland husband us know southland filler wish season longer little hard justifying money believe however plus side neither one us huge cop series fan show kept us interested best cop series come across love show truly gritty realistic crime drama one best however left lot desired fact show seen hard times understandable network change season lack widely season get wrong happy even season available purchase fact literally made handful burned digital print bare release person right could create house scene episode victim blurred pixilated thought perhaps episode instead supposed uncensored release confused could error could uncensored version still whatever reason either way glad watch fan southland though taken find second season good remember first downside many second season though see third fourth content first product via instant video running set breeze southland great great show intense relevant enjoy genre really like series would recommend cast film well ending bit surprise also locale small town somewhere overall good documentary inspiring good looking get especially world see thing different would done spend time ladies environment perhaps maybe added ladies riding probably would even venture atlantic beach bike week q however documentary perhaps budget think short also ruff ryder crew repped heavily work yet consistently wrong rough clearly director didnt show production final general lot though told well admit bob hope lame generally actor vaudeville time comedic usually something would find humorous sing yet many dance yet several music certainly handsome leading man beautiful leading ladies romantic interest best political satirist movie better character like featured solo lead usually bomb actually favorite brunette noir comedy seven little musical comedy boy get wrong number action comedy great movie bob hope worth every often collection two third sometimes hard find get patience track best great classic comedic throughout movie wish available instant video good news collection bob hope number available lousy public domain excellent get brunette funny satire private eye falcon droll always best hope film excellent supporting cast two road included neither rio bali best series road picture way ahead screen time hope always brought best rio great lemon drop typical sentimental yarn around broadway old hope well sentiment laid thick film perform hilarious bit drag worth rest film put together seven little really hope biography foy brood star regular play sympathy maybe best straight acting ever highlight dance jimmy also excellent print set except theatrical like bob hope enjoy collection older bob hope old nobody like since one bob hope seen child bob hope private eye aka baby photographer day wrongly death killing man told story got go gas chamber bob get one execution bought collection two road rio bali available public domain good properly official included set collection worth seeing provide broad slice hope incredible movie career showing various times career variety shame set seven included number previously thus rating given set however bonus good price one chance watch road movie chemistry funny hope one one blend well outrageous funny blast past fun watch catty really like part one better pretty harshly watching show guilty pleasure also fan well documentary learned region would recommend potential anyone looking primer region one hate like get overly dramatic draw turn away two year old nick streaming bomb yo really needs get get android market sign prime get maybe even pay browser phone still support flash set mode works pain ass good show daughter cat little bear one favorite along paw patrol watched granddaughter like quit would like one little bear good animal silly imaginative meant age engaging imaginative articulate verbal social kind musical classical year old yo purple crayon year old kipper dog zoo ferocious beast year old little pooh foster home imaginary school bus fan monkey could without great cartoon well done better daughter little bear intended adult humor content build imagination attention year old occasionally oddly scary year old like weird trend otherwise great content surfer interesting surf good enjoyable watch would recommend lot new upcoming funny entertaining watching comedy right length top quality featured fun enjoy work good choose love watch comedy central kindle bed go bed good mood wake laughing good topic always enjoy comedy central especially love please watch looking entertainment bed great watch hope become available prim usually physical beauty chance person funny self loathing self deprecation great felt us cocky comedian think dice clay rank exception new great way see coming watch old see biggest today made big documentary fantastic job covering history th century commercial illustration influential frank generation fi fantasy alike subject family reveal pretty vivid picture man art widespread reach one negative upon finishing enough focus beautiful striking imagery handful family would like household piece interesting sure felt like documentary would much better able tease little bit imagination behind ridiculously skilled still solid documentary fan fantasy art illustration miss cute sweet irreverent cartoon watched occasionally watch episode feel nostalgic generally amused recommend highly might enjoy also think easily watch without childish content one best animated young quality print perfect like watching original ago surprisingly closed show would otherwise original airing order great addition classic collection watched well busy always like perfect shape anything keep rest order favorite season lot picture quality good sound quality pretty cool watch year old hockey game picture plenty clear enough take back day however periodic screen rolling reason gave four instead five several times game something would happen last said would repeat would watch hear short second time great neat see get wood use build thing season great collection rug anyone downside disc set set came inner case two could safely easy fix use color copy machine make second cover thankfully set disc like season really thought done awhile back anyway big hit person big fan thank much making one happy know watch show best show ever tack grate sound wish could like tommy child movie gave show time watching show new son watch short episode good short attention wholesome fun really cute little four yr love definitely take opposed adopted son age china really way grade level clearly lots basic used needs naughty chair good bit humble opinion cute show daughter funny well watching funny stuff good rendition tone original well done seen many slimy nasty neat sentimental enjoying much discovery really great information around world enjoy watch great content amateur made film slow going times worth watch message perspective good first series still hilarious anime fair share trolling still watch first season seeing people tried reignite love past cute show great premise great viewer always truly great concert would rated song commentary commentary eric left disc away concert experience usually enjoy female since seem always cover hard like lived smart funny fresh funny take life generally like talk great worth three want watch stand comedy recent stand routine gone even give try worth entertaining love funny pretty clean drop f bomb lot uncomfortable watch like lot lot gone show still funny yes funny thoughtful average comic easy shock value obvious funny ever whit racist still regardless since prime free lot obscure average sometimes downright weird one actually worth watching though acting good scenery beautiful ghost scary ending little abrupt quite tie therefore give less horror ghost story character study main protagonist concept death new course sprinkled intense terror well done film living day day stark depiction would like know expect eclipse find involved even annoying could possibly recommend film unexpected genuinely least twice something many suppose beauty knowing getting thankfully shocking audience film eclipse sense tend interested character development relationship dynamics beautifully also sensationalize rather discrete supernatural intrude almost gratuitously plot happy recommend well wrought drama good entertainment ought transport able catch sneak peak think reason film received well horror movie film loss coping loss area showing different grieving think film acting good one like marriage drama little horror say much film good come film ghost perfect film think one gotten credit many people disappointed movie get horror making people expect get fast paced type flick well definitely classical ghost tale vein henry novella turn screw ghost like take time explore psychology much question living harm dead protagonist excellent nuance interpret terrifying order deal real world ultimately achieve destiny want give much away keep spoiler free suffice say go movie see strange yet charming tale love forgiveness acceptance yes frightening supernatural really dig reviewer said title movie make sense think eclipse one heavenly body moving two darkness brief moment go watch movie pay attention little apprehensive first decided watch based good left think drama film plot surrounding well story well written making full circle plot glad watched great movie know word symbolism stand chance taking something away horror movie potentially good thing actually drama love story random ghost theme thrown still would fact ghost part really fit art film artistic liberty expression overall lovely film expect ghost story main theme acting wonderful well cinematography thanks prime watch many quite forgettable one interested purely entertainment acting n made film special less perhaps came sleazy character well ago name barely known us eclipse sure notice portrayal dumbledore brother harry potter deathly even pull jane eyre watch one know film wife discovered n quite belatedly film one people want clearly defined ending least strong implication one imminent perhaps would bit eclipse walk piece somewhat disjointed must heartily disagree simply limited time life interesting people literary conference rode little rougher disturbed supernatural heart bloody chunk time losing someone dear movie inspire psyche often partnership work regret pain loss guilt loneliness us real touch hug one possibly even share meaningful sister fire experienced sound calling name night shortly fell asleep several times waking bed look fact many opportunity exquisitely hold infant daughter preciousness arms several times matter always occur twilight sleep first experienced ruthless expeditious loss awoke realizing dream couple unexpectedly grateful privilege spend time since ethereal many people experienced similar almost imagine phenomena taking step enigmatic attention since first jane persuasion unlikely oafish sort part wrong man since great character actor quite strong yet vulnerable lead music beautiful apropos subject matter intriguing acting well done note interest writer billy host literary event short invisible create comic relief eccentrically mysterious movie either love definitely worth time give try film odd amalgam two people teacher recently lost wife successful writer supernatural falling love amidst background dead soon dead people especially background piano music kind mood living best knowledge death inevitable us boorish married suitor writer counterbalance quiet dignified trying raise two look ailing depressed father law town quite lovely added somber mood ghost story without usual cheap movie left wondering bit always magnificent consistent craft title misleading think title main would moody weather able catch sneak peak think reason film received well horror movie film loss coping loss area showing different grieving think film acting good one like marriage drama little horror say much film good come film ghost perfect film think one gotten credit good unfortunate film nearly title currently popular twilight saga eclipse series might get confusion unfortunate title eclipse seem particularly apt ghostly influence film could easily much accurately given title something wedding gown train lost love actually movie based short story strictly widower life wake wife death cancer short story ghostly added sake cinematic box office appeal brief actual often alarming menacing downright shocking war general mood film film essential theme possibility finding another mature tender love one loss one first partner life occasional hair raising onto scene adventitious unnecessary main intended sentiment film beautifully part widower right combination numbness world longing future rare adult love story adult mean x rated back essential meaning word adult two express maturity sane stable put getting fondly know first foremost get people bother review anything know care like eclipse adult meaning mature enough appreciate movie want good movie exactly thriller horror movie nearly jump clear seat one point daughter hugging dad end remind us good perceiving beautiful ghost story grieving loss finding love physical world focus complexity older family love spiritual element film statement connection supernatural unfortunate thing movie keep reading horror film ghost movie much found deep touching character study got end use shocking ghost effect movie director stuck shadowy apparition first ghostly sighting stayed away shock effect really made sense far anything anyone would experience director taken subtle road concept ethereal rather face type scream fest would truly fine movie great draw identify main character character top horror shock happening could relate since doubt anyone ever experienced phenomenon blatant otherwise excellent every way shame bend stimulant crowd subtle film marketing film disservice disappointed part horror film film various ways adult note key word adult fully grown though fully grown wrestling various unfortunately movie word eclipse title also horror supernatural everywhere seen included supernatural present much also well great ray come looking find drama real people well written nicely movie caught guard couple times good scare would recommend eclipse one sort description comes pegging genre supernatural movie sense though supernatural throughout movie also psychological thriller think comfortable psychological drama movie attention fan actor first lead character also portrayal mayor read best actor award film festival role movie decided check grieving widower movie lost beloved wife illness two ago single parent two girl aged boy aged small coastal town working woodworking teacher generally quiet unassuming life recently plagued disturbing ghostly trouble deeply merely really plagued otherworldly get bit complicated based author whose supernatural work titled eclipse author one read local literary festival taking care transportation add drama another author amidst supernatural increasing alarming frequency desperately figure going movie slow yet steady pace looking fast paced sorely disappointed like atmospheric human psychological might appreciate movie warning ahead upon reflection movie different ways straightforward grieving man man lost grief unable let go late wife life together death clinging finally also aspiring writer movie flesh credible story par saw supernatural movie subconscious trying make sense write movie atmospheric gloomy yet beautiful coastal landscape lead actor complex character story us captive try puzzle exactly going choir music effectively though must say jarring crescendo scare got bit tiresome whole movie found refreshing unique approach far storytelling great trying break heart would transparent look current band concert movie anyway suppose amazing footage band peak lot whole show one dude funny way although famous disappointed definitely one best current crop stand really appreciate fact comedian funny without vulgar offensive rely heavily henry definitely comedian enjoy listening beginning end without fear wincing language material quality video kindle fire good purchase description video incorrect three teens make pact drive city west coast upon arrival commit suicide make past incorrect description watch learn history remote interesting concept wish depth summary clough entertaining informative like least clearly point video since apart minute run time entry actual movie part simply related documentary hill always fascinating phenomenon site among well almost feel though feel power area seeing footage film cannot visiting site person energy must overwhelming reading review might interested subject crop said think time watching enigma well spent information provided interesting thought provoking interested learning subject recommend take time see real life funny way easy relate like like series complete missing lot great finally show available still hope put good season entertaining son interesting even learn different son love watching watch play along show chock full interesting different easy relatable language engaging action quite overwrought annoying captivating small nonetheless easy yet productive way four year old learn zoology granddaughter age series repetition episode episode annoying familiar engaged intently information park one day father look macaw indeed like teach information habitat food context sure daughter little along mommy grocery shopping done crying love good educational entertaining video hope keep prime great friendly show really watching son watch old easy good show realistic like know know experience filling show young comical sensible memorable manner minor racial found within enjoy show great sick day couch entertaining enough keep attention good life little bill series always come back morals character always plus classic educational show worthy passing little bill test highest approval year old granddaughter little bill grading sure would bill work good learning child really watching little bill definitely one matter seen episode love want watch grown daughter college age show excited used watch little right love little bill little bill nice show like real wild imagination show kind generous great show watch learning bill fun daughter watching bill get enough show wish bill great job cartoon son seen show really soon see watch love little bill wholesome clean also interesting show juvenile older year old year old watching show even participate show little bill sweet loving family funny nicely animated good heavy handed overly moralistic son really relate laugh say child love show little bill learning read goo g school bed good fan bill work little bill great show particularly young black hard find young black relate one bill pun intended discovered little bill recently bill keep engaged b enjoy learning valuable taught grandson really game kept busy time would recommend everyone busy like little bill first important support show little boy see another side bill man made show well fat day son little bill nice educational program encourage show good role builder great role model year old great program look like wish like little bill one daughter favorite always even seen episode like theme atmosphere show like well violence negative older use watch younger one came along watching great realistic scene good like good friendly show content suitable giving since use language little pick e g name calling episode question long time since nickelodeon made stake great much past decade really fairly brought great animation nickelodeon adorable imaginative orange network really stood creative peak fun another series modern life wallaby town continued laughter making many people go days filbert adorable dog spunky much funny guy worked comic book shoppe made generation season still stopping modern life season three continued laughter form season one nickelodeon even b sing theme song brilliantly show funny crazy way laughter silly grumpy bye bye birdie bird accidentally sitting mistake mischief see see travel excursion get less bargain crazed tour guide show actual like stupid mayhem waste fast food joint elk dinner earn manhood adopted wolf family elk home dinner eat getting message love elk brilliantly great reminder great animation nickelodeon eye take still funny back already bought first modern life definitely recommend purchase season really great buy classic era animation gone definitely forgotten always silly humor everyone also way wallaby still heart also jackhammer hobby seen modern life get set price b b overall b love hate find cracking anyway humor young grating film made pretty well examination video violence culture objective balanced sides well also nice overview history gaming along way film made available several later probably time update thought getting movie boondock description day much sequel cult classic boondock film continuation cutting edge saga two deep father billy word comes beloved priest mob return see movie ended minute interview offense interview pretty interesting realize getting think getting movie may disappointed mention actual description boondock day minute interview director one show us blah blah blah instead making seem like actual movie either way boondock fan cool piece kindle right least free see added min interview title good know people original description still fan boondock cool addition like movie quirky vigilante blessed pope guess would term dark comedy good first still butt would really like see third installation think someone full one play ever work love first movie second short however still good movie recommend anyone first one informative presenter thorough ever possible evidence whole series good made want visit expense production per trailer main thing though j r r something say based life experience passion transporting bicycle like considered forced industrialization one reason shire happy place people lived closely land trailer watch much else add good watch watch take two course watch powerful need spend watching full length movie much history film class wish optional find way turn wanting see fight learn put together better self defense mainly car chase coach like car good judge verdict bond might considered questionable move game hide seek pair private drop grid thirty days try find whatever disposal result sometimes fascinating documentary myriad ways government random access individual private information purpose desire gimmick clearly inspired work morgan hide take third film rest security footage came escape seeded idea journey film best detail bond acquisition information various given solid treatment better get image transfer sound average cheap decent quite good however series appear film give perspective respective total twenty valuable debate bond panel premiere less essential mildly interesting group short best bunch additional information id massive web data leave across web trailer us film little bit generally works well like information bond film ton little thing mean lot individually together make compelling occasionally disturbing story want read user closely although probably full review crying laughter seeing stage black watch reading program one film opportunity see wonderful actor character entirely different took effort recognize performance preparation role small time comic revelatory almost fascinating fictional story true story inspired making film interview two lead director second disc interesting flick learned know felt like time well spent watching sailor jerry pretty comical funny anti society guy conservative want learn jimmy neutron good family friendly show humor good think good role grand jimmy neutron took little finally settled able enjoy show really care jimmy neutron movie series turned incredibly funny particularly gotten older humor many animated actually geared older actually get well worth love family never fail entertain movie bad like said tragic ending well told jet li character well fight top notch also well watching character watching red cliff show entertaining ending predictable action twist turns movie classy movie great especially well known us big time jet li brilliant performance photography beautiful however watch version watch original read dubbing worst exactly like low class dubbing cheap hong kung fu movie cheap unexpressive definitely synchronized since movie getting great wonder whoever authorized dubbing thinking also distributor cut hour together fact normal version ray version somewhat expensive get historical epic quite stunning actress nice bonus jet li kick major ass good showcase bloody part history ching dynasty jet li top provided action movie little hard follow little slow action actually like give bit sworn three complaint action war thought would know based true story really hate reality like good movie said based true story made happy ending movie lot action well w interesting stour lead funny thing except major movie relate movie present day average kung fu flick jet lee usual however supporting cast great well well done epic period ching dynasty jet li excellent job gritty dark film film concerned brotherhood love although would rather seen historic piece use historical movie definitely worth watch really tale simply brotherhood love important story actual historical behind period excellent film however like many occidental include unsolved historical mystery one least give answer question would watch recommend watch one best action watched plot story line looking watch dialogue fast ability pause rewind catch handy great story screenplay first tell jet li fan seen fearless times love movie movie jet li fine talent actor story line historic production amazing plus artist photographer fully appreciate good art direction give better review suffice say jet li kick enough butt movie jet li works fine cast good film good movie good exposed world history non western sub bit fast watch movie think could watch reading fly fast actuality easy keep well made film rapid fire like war one civil war china powerful war vast combat story journey main character commander death survive great battle one great warrior leader many difficult make along way even love triangle movie although subtle amazing poor people back food meager life men join winning army could exist dirty movie actually attention much would thought good movie lots action speaking ill movie red cliff would even better love show lot art war moving epic price end good movie enjoyable action fight well choreograph ending took surprise like movie tale men difficult times historical drama added something light movie ridiculously brooding good movie anyone interest china jet li great lot action story line interesting typical jet li historical role th century imperial general allies two bandit regain honor serve emperor political resultant must make drive narrative production good action bit top movie impressive fight usual jet li great job movie drag like old hong kung fu love movie director woo recently set new standard action epic film red cliff peter man yip ante exciting new film set china rebellion filled huge action kind fill screen edge edge horseback charging sword darken skies gorgeously cinematographer wong violence raised level art sort thing intensely satisfying jet li military epic vein kung fu much wire fighting grand battle expect terrific plot character development little rustic main plenty intrigue imperial court political another great martial movie jet li must fan jet li looking complete collection martial fan movie twice good watched better yet watch without really bask massively epic cinematography gorgeous china many incredibly huge tightly battle acting good general jet li whole new category solid easily best performance direction crisp never sloppy everything li much captivating know period history much probably worship film lot anyhow script fine well many deep society war brotherhood ways never would ray picture pleasantly grainy looking film like way also number good good package watch dubbing original add much drama reality love like make noise watched original absolutely way go difference like epic way mind falling head two hundred definitely good movie battle great would watch movie would say great boring see course fan jet li action movie like beginning movie story slowly got much better probably first wish would fight ending mix sad surprising movie overall great movie like action good story watch good history buff enjoy good story lots action time watch get movie lost credibility survivor battle general think general everybody would would far credible let go general would commit suicide regain honor case would battle woman good battle interesting good effects drama character building excellent special eye opening experienced general really work know someone crooked trust period ending movie brother hello general open trust anyone would far convincing general mysteriously face shown show ending historical really nice film good set dynasty outside within cast solid real quibble lady feel nicely along story would preferred dubbing surprisingly good well content thought film told interesting tale human nature loyalty betrayal love war typical good evil dichotomy people complex good evil wasnt bloody thought epic drama china history ninetieth century battle sex war mixed feature disclosed version historical mystery murdering newly governor way official inauguration ceremony plot cinematography much spoiled two disc small size shrift viewer impression really interesting modern work history first time watch move recommend one watch drama action real life especially epic necessary watch get straight famous story supposedly based history thus important know faint heart interest throughout love detail cultural customs would even watch third time movie understand devotee genre sometimes little hard follow totally find cut gee entire battle missing story classic tragedy every way film beautifully made acting superb heart well understood nature motivation main general pang brilliant driven little mad vision tragedy eventually came oddly lesson today poor read made think lot people understand seeing somehow real struggle characterization general pang jet li accurate right terribly misguided know tone narrator early movie twilight reviewer rated badly took half movie realize review ever saw reflection film one yes guess cut movie cut movie cinematography felt story could better told plot along leave particularly engaged fight touch wire work enough distract everything one would jet lee film would option language visually trying keep without go back bit much jet li fan hope enjoy film dramatic without showing excess bloodshed watching jet li never comes kung fu battle field tactics great around film one would recommend side bonus action story opinion director great job flow telling story good action movie good special effects good story line like read wish hero fearless actually little better little slow really good movie amazed honor everything china men made hard war harder made well made good distraction fan jet li story plot kept interested whole bunch popular gave great great colorful period st movie watch smart since recently prime streaming less efficient movie least times buffer quality kept fading movie inconsistent video quality would given cinema photography movie incredible costuming awesome music dramatic story struggle blood overcome insurmountable odds conquer triumph glorious moment victory becomes one intrigue based upon historical event good cinematography good action interesting plot though times bit violent perspective history movie quite good yes typically enjoy exception great story great action overall joy watch since average consumer give fantastical shoot hip reaction plenty fill gap like true movie movie get wrong compare much say red cliff good much predictable quite live experience cast high felt little let would actually give possible bad movie finished watching reaction bad pretty good could without doubt like eat good meal come away feeling like missing recipe kept great also give simply strength carry well price free shipping blame movie director priced properly definitely worth especially jet li fan decent story sure sub plot regarding power war well would interesting story ambitious film directed peter one hong known film impressive cast jet li fearless infernal returner period epic loosely based chang classic blood seen lot thankfully part colorful overindulgent film geared towards u truly film still massive commercial appeal doubt popular international rebellion country chaos general pang jet li lone survivor massive battle dynasty command evening comfort arms comely following day pang group led er difficulty survival fate would three blood oath join army quell rebellion rebellion among civil war ever history body count world war rebellion lot religion cultural ideology powerful favor theme brotherhood love war film take advantage historical context quite disappointing really apparently presume usual theme brotherhood loyalty universal appealing international rebellion say even though bad film full potential rather rebellion used backdrop really film main premise battle may well seen far hong cinema gruesome still martial influence shown u may need history able fully grasp lot commentary china tumultuous past effective human drama regarding war righteousness pang realist er idealist pretty certain idea two opposing cannot coexist sadly missing cultural impact war film depth making war less jet li performance career since fearless man indeed act understand leave shadow quite lot manly tear love triangle pang er minor plot attempt relate film successful costume epic definitely lot ambition style little bit like production expensive huge indeed loud emotional inherent becomes little predictable film indeed large somewhat commercialism big name expensive production curse golden flower dollar expense drama china friendly aversion sensitive mean bad film actually good one elaborate decent battle awesome set excellent performance boy jet li make film real note worthy experience success victim commercialism part peter company knew film film please almost everyone except maybe love happy mass appeal international film historical feel like setting rather sense history still lot disappointed film subtle execution melodramatic great sure please many may bit hollow spirit definitely solid safe power highly note u release region lost original footage hong release lot dramatic impact region capability get uncut release like ancient like one lot recommend movie people like good war good story b epic tale three war enjoy classic love jet li film planet kept old majority show graphics great blend family fun futuristic type lack abusive insulting language also refreshing parental perspective like stupid dummy little much comfort planet also watchable show home one absolutely childish sit act like paying attention watch follow like ask inspire imagination based story pretty good show took look quick little feature think great watch great family movie watch together need make another one like planet much short funny interesting worth cost nothing watch lose preview gave right amount make want watch preview movie go way watch though time take look really want see whole movie free prime year subscription well cute love watching much ad us intend watch full version soon watched year old nephew watch school mind learned content sit watch well actual movie preview really want watch though little brother seen movie favorite short film making animated motion picture planet days animated create short production like one extra feature eventual film form promotion film time particularly enjoy watching like animated always curious provide voice talent also price certainly right beat free seen film watching well done short definitely going check solid family fun great take area alien point view category train dragon worth want watch one many many times good graphics fun story go wrong price free pleasant way spend time fun watch clearly play would react easy relate love big heart got kick cocky astronaut space alien setup humour par animation nowhere near really bad somewhat people accounting cute non offensive still gently different mentality overall solid animation quality gentle amenability whole family movie humor really nice find movie everyone watch together great funny concept background material make seeing movie much older entertaining small scare make laugh entertaining big age scare make laugh director funny bone movie thought cute funny course want see movie bad bounce around randomly free teaser want prime love movie little clip enjoyable always movie made clips small one nothing like would get cute short always fun see behind actor interwoven movie worth watching least short guess need learn word still giving good rating though er guess even though movie older refreshing watch supplement movie enjoyable well worth price free daughter nice extra thing watching movie daughter watch video accurate entertaining great preview full length movie real winner really believe become one favorite anime series super cool character driven animation series long animated animated vodka cool interesting story hook thing stay away series like minute run time much better minute run time anime series also feel series sort apart end almost like know end give five offended stay away series prominently bed thing often wife watched half first episode left anger watched rest work vodka every start episode series everyone like write long goes show way average anime beautiful drawing color daring intelligent story say daring plot sexual content subject adult buy anime would consider one reviewer perhaps specifically pubic region shown shown distance devoid detail violence harsh brief give rating ray image clean devoid film grain little soft think look going disc production issue hint see consider razor sharp check angel burst preview trailer disc main issue couple ray ordered far want play every time first thought disc player water dry soft cotton shirt fine perhaps issue like dust invisible cloudy film disc coating aggravating temporary anyone experience let know good series gore violence however plot weave interesting story quite nice think short could possibly since short sexual nature probably say assumption series good immortal series though nonetheless great show recommend upper teens little gory sort thing great feel free preview wish way instant video onto computer series annoy little redundant getting form lot sexual overpowering opinion overall worth buy though buy new good great story depth would probably adult rating story sex nudity horror mystery violence blood freely torture humiliation pain hidden around every corner mystery happening face adult anime enjoy one unfortunate series gate strong first episode good rest series frequently flirt greatness never first episode first episode one hell ride series six long episode running length originally broadcast one episode per month course six first four relatively stand alone although aspect series place course thing apart explicitly adult series say adult mean adult gratuitous violence check strong sexual content check misogyny check good measure let throw megalomaniacal hermaphrodite trade information sex commentary episode cast adult anime worked comparison could make speed sure accurate comparison really seen speed sometimes bit feel anywhere near boundary pushing apt comparison might think first episode difference though whereas used first episode contrast tone much rest series revel adult content sometimes feel violent graphic simply sake violent graphic let get bad way major antagonist pretty stock villain power less sake power entire series trying amass power especially interesting villain character although win gleeful barbarism central conceit series immortal regenerate wounded matter severely significantly amount tension series offer audience stand alone nature first four one interesting first episode whether clone never repeated assassin laura seem serve real purpose beyond extending episode probably ought mention ending series well coherent series ending bit mess saying make sense get bit obscure think needlessly offset series take barred face approach story first scene building laura get death hand arm see body hit ground hand arresting image given context short scene sense chronological placement know within first minute series cut soon realize next morning office bit groggy otherwise fine dandy water becomes running gag bottle vodka vodka water delightful scene audience soon learn private investigator recently hired locate please morbidly obese cat first help firmly establish sense humor employed throughout series sense humor much top unlike many anime series rely silly slap happy humor keep audience constant state uncertainty perhaps best illustration comes end episode tortured death mad scientist unsettling scene series office immediately afterwards see drop ceiling tile room dude totally moment absolute absurdity audience help laugh also firm reminder audience world world according consider also torture scene point really little violence outside opening scene certainly nothing suggest brutal torture would restrained stripped tortured gleefully counting number female body closed bloody scene made even worse ripping body next scene violence would enough make anyone uncomfortable moment disconcerting illustration series seeming delight strong willful female protagonist kind physical psychological cruelty comparison immediately mind trier depression trilogy antichrist melancholia nymphomaniac strong willed female lead repeatedly subjected extreme cruelty sure political dimension series visit humiliating degrading several female fair regularity worth however female come top end make intense disturbing much imagery times series whole powerful experience particularly demanding audience recommend comfortable strong adult content little embarrassed admit series story really unique interesting lot really perverted stuff talking torture type stuff anime however good solid story detective ate fruit eternal life actually body thoroughly several episode really awesome series plenty action drama keep interested serious anime ray quality good know animation voice acting well done high quality anime story also involved short series depraved could usually say pretend keep mind probably like excellent series wonderful voice acting dub little adequate series see past nudity extreme violence recognize purpose rather dismiss series another buy except market home theater system play older player series load play defect like bamboo blade problem except recent paramount star trek first get pretty slow annoying times ending definitely make remember even though anime anime wow rarely really excited like wonderful wonderful story line great sadly came excited ran best buy bought spent honestly show opening get great spot stiff lifeless amateur almost whole thing reborn reborn best way describe wolverine x men die bullet line fire chest back proceeds sacrificing tree life untill last episode plan put place kind half really get wrong show magnitude wanting feel huge part reason like false advertisement kind series really like something watching series close later week watched second time thinking effect need watch appreciate full extent end really puzzled wonder person wrote review series box let alone really truly watched series would recommend people would highly suggest waiting untill forgive fan really went open mind like felt like like store could depth like good anime mature content due series still good like consider anime connoisseur shy away paying much attention specific despite penchant almost something enduring anime regardless subject matter said even going open minded virtual flood plot style emphasis gore torture get let take look hard first official north release property across two comes pair thin within outer cardboard slipcase nearly six solid episode many additional special show comes total appropriate mature rating due animated violence rough language gore whole lot horror language standard sub dub dub original either digital surround choice turn include commentary cast staff promotional cast interview opening host fresh second disc story really goes beyond simple classification goes something like hermaphroditic immortal insatiable appetite within professional curvy human woman turns actually several millennium old aside love vodka living working private detective priority behind twisted existence turns even death body temporarily losing memory sometimes long term kept tact due fact time spore effectively made immortal unable age capable surviving normally fatal bodily damage long ago physical despite concept mortal merciless definition amusement graphic disassembly body purpose understanding enjoyment process suffering case following along truly bizarre material laced graphic torture sex truly unique mythological example actually trying bend existence offering immortal sacrifice tree life become eternal guardian tree position great power honor among show go strangeness sequence answer series horrific sixty five year period flesh sadistically pierced blown apart plain tortured time time bit rough endure even realization merely animated art may find something effect anime making series like mantra would love come put show reason alone forced respect prose better worse ability weave tale anime medium designed tell fantastical un cartoon like realism long viewer goes grotesque erotic unfair fault program import official release amazing job colleen bang job lead antagonist portrayal twisted leaves little desired said nod may still go enjoying series original work simply account fact dark disturbing simply feel little less bizarre native delivery either language choice quite rewarding believing kind anime prefer existentialistic subliminal impact evangelion graphic horror say appreciate material truly unique vision solid delivery used making point long enjoy anime dark gritty graphic violent much excited source word mnemonic personification memory mythology although never said series embodiment cast wonderful job emotion especially colleen heir apparent great lee go woman slightly sultry hard boiled woman heart gold voice times series cowboy bebop slightly skewed reality believable living could sit write whole synopsis series pretty sure fine people already done entry title family guy reference aside fairly accurate watch episode two point reason gave instead first sure much better ray sure sound quality picture may touch crisper primarily due lack bonus clean opening short interview cast one commentary make much extra wish would shoot behind footage well coming time long ago people used buy big collector box seeing really exist much due economic would nice see bit content whole new cast production show experience would inexpensive way add value purchase fast paced well written piece made nostalgic dramatic adventure series great addition collection good anime series fun sexy smart plot oh pretty good bit hard follow disturbing found first episode immortality taken inability die opposed extreme longevity dealt fi way done brutally straightforward application physics biology hard take attractive character smart funny thus shot sliced blown first episode brutally tortured death unpleasant however hard viewer mostly stride even inability die component fighting technique plot actually internally consistent quite interesting least sense keeping trying figure together world tree time fruit immortal male angelic hermaphroditic guardian become god six consider surviving spend epilogue denouement show trying sort fine say good well done ability cause viewer engage give unqualified yes almost unique way rush incident incident idea happen next good storytelling achieve without losing viewer interest entirely however disturbed sadism violence sex graphic nudity enjoy works utilize extensively enjoy able overcome dislike violence especially torture enjoy series lot four star rating partly result small issue grew nag hell damn dog year plot shot stone dead several times yet cute ever later know irrational accept immortal hermaphroditic world tree suspension disbelief stick inexplicably undying dog absolutely refuse pass mythos theological framework philosophy j anime care bizarre profoundly stupid plain silly treat anime care internally consistent case think good call self anime buff say anime like need watch prob watch anime voice jap good bloody sexual anime real story line thought nudity well unlike like adult story funny like cover since bought bought whim something good watch hot chick front hey like series say times old lady explain voice acting fight really good watched couple times probably watch couple times lot great movie start film right end think psychology would also love movie fable prince knight two duck plus princess tutu magical girl anime prince whose heart imprison evil raven duck becomes princess tutu need prince heart great personal self sacrifice knight quest knight hooded ness achieve victory evil raven overall story simply gently told great significance evil loss sacrifice free story slow moving bit weak especially first corresponding first half matrix overall good b dub excellent story good b animation varied quite bit excellent average b art ditto excellent average b music wonderful although slightly repetitive well animation story animation deep really made think love found story much silly sit way fair princess tutu obviously made appeal audience much younger keeping mind well taking account good use music series one added star initially going give also character cat ballet instructor gosh darn hoot absolute favorite among series must add coincidentally striking resemblance temperament cat good friend mine one additional star final count four relatable story line l like root underdog slighty weird enjoyable many age like girl version power seem love good gave particularly care might slow start great story lots action gore prepared well worth watching spite pertinent later episode kick notch keep watching read manga ago thanks prime finally got watch anime yes violent nudity incidental shock value story brilliant watch though sound quality anime weird know due older version issue fixed recent ray release ready turn volume hear female talk rapidly turn fight gunfire loud sudden volume otherwise great anime highly recommend somehow enjoy show naked awkwardness really way one really translate story however episode binge watching long stand another well done anime ending left bit perplexed first easy enough figure like episode like really nice since anime anyway several entire season start liking season fan service pretty quickly bad overall good show little bit commentary human nature society social stigma protocol warning puppy suggest skipping rest episode everything think going happen maybe whole episode skip roughly really hate violence people fine series little bit weak becomes interesting third episode end lot going leave open series manga different overall third episode lot blood probably much would might enjoy still feel anime could use less blood violence especially introduction overcome initial disarray story much enjoyable coherent towards end still violent yet beautiful finale story reversal cause effect time sequence main plot development technique bit interesting idea concerned fate humanity fruit full blown fi due irresponsible well sub like male effects origin away star odd entertaining though similar seem fall general context character lot like series would give would let gore intense appropriate savagery within balance big eyed anime girl relationship little hard fathom like soap opera aside found totally engrossing wait get next episode series well done problem saw long hope watch lot work people made second episode third way episode really enjoying definitely friendly explain plot interesting feel enjoying well done consistent animation excellent quality wise amazing downside parent perspective gory immense amount nudity bad thing watch little one gone bed said rather change thing watch little getting say well worth time like paranormal contemporary fi anime thought story good attention quickly slow bit character development story moving hard keep watching definitely adult content suitable wow nice dark definitely great depth plot one many thought sake overt sexuality nudity otherwise place depressing yet beautiful narrative able stop one episode time watch think pervert said anime good story line dramatic imaginative hope sequel soon come anime goes good good show following incredible hulk concept split personality genetic freak facility definitely worthy mature rating gory violence nudity amazing wish option watch voice acting much better way find interesting show enjoy anime worth looking although bit slow would like see season prime please story line beautiful watch music composed bring poetic sadness life reality fast slows hard end great series worth watching twice least pretty funny degree personality tough build minute film spike favorite brief video short definitely spent less enjoyable life regardless persuasion get grin end hopeless hung well executed short film came search free streaming prime dubious resist giving try pleasantly everyone amount time like struggle badly crap crummy poor production happily case well low budget production part notably sound acting decent script unexpectedly subtle creative humor spot top notch real complaint short actual movie time rest devoted start end would easy go overboard take gag far longer movie kind like eat one appetizer hungry though suppose could work well hung definitely worth spending watch anything like get several first saw movie curious think prime figured true virtually nudity except maybe half second see girl nipple shower scene sexual escapade thought might sort lame movie bunch decided convert day thought would silly premise assume many least guy would probably go group find man test sort curiosity either instead funny movie girl potion female grow penis day movie line like ever one days everything around resemble represent penis way year really could want movie straight woman found film quite amusing think sort fetish film straight men strictly film pseudo film amusing movie deep long still fun watch watched money afternoon doc half hour wish double size time economic recession financial uncertainty many middle class mandatory seen money youth born rich excellent example growing east coast elite doc average trying attain dream consumption one thirteen year old girl like eighteen year old woman accordingly amazing see nothing deter behavior also watch guilt another girl friend able afford going dance enough money think combined influence indifferent mixed mass media machine want blame mind bret fast soon youth less zero money quick glance discontented youth interested beneath hollow glimmer u version show still running th season season us airing last see previous episode celebrity seek similar show ran last year set well commercial version enough give four dissuade watching fascinating tell seven two husband wife parker however separate journey learn another two actor director spike lee cowboy player smith black able trace back though one alumnus one executive may instrumental getting join project obvious product placement person eventually commercial genealogy site ancestry listed sponsor end well nothing wrong made aware service year plus extra u census free service show research family heritage method impact see series personal favorite parker find reason giving four due show ran removed episode episode minute introduction throughout show every time commercial break commercial show preview see next splice repeat seen guessing repeat footage least another six really content episode like first time may learn use remote fast forward scan skip unnecessary quite annoying maybe edit bit tightly release season despite recommend set see favorite personal without pile maybe rethink question anything phonographic really like actor sensitive gracious style know background episode would know still interesting know family video like watching good fallen lover product season unfortunately fill gap well done program bit light technical content nevertheless interesting program watch truly absurd anal sort way actually witty similar borderline amateur would call funny entertainment get away news like seen movie many many times teaching grade use teach always get wistful want visit family movie viewer feel connected farming way life four maple syrup importance familial connection working farm everyone central role success watching however play player constantly always home school computer initially good thing cable use computer stream conclusion stress enough well movie made say would double price special show thank movie quite impact brown joe river love video operating farm love educational dad mind either great little film life dairy farm cow care syrup logging hay winter sad see producer narrator film five federal prison involvement scheme wow great movie drunk great movie line movie watch alone many helmed show beginning gave subtle mix tragic comedy real bite wife holly added lovely grace note relationship mary office made terrible error removing mix watching two new season beginning show survive removal overall great season end finale episode kind puzzling best really season look forward see go bit end season really season something set apart enjoyable gone music memorable mary great usual continuation entertaining mary marshal series good action lots watch still enjoy love normal everyday flawed believable story interesting witness protect episode soap fun watch sad see series end well really coming season season far great mary usual sarcastic self little funny sort person want side times tough easy eye boot bad side wish wait season whit rule series mary great every episode recommend everyone worried bad season thankfully disagree concur season good second far even mediocre actually great writing acting throughout one flaw procedural feel mary life nearly much focus hurt season bad first season ever saw would miss become accustomed family drama detective taken cast season great would seen guess save money steven weber join cast though bring great acting show weber character love interest mary interesting see next season advance relationship mary bring charm comedy expect series banter back forth always entertaining easily best part series though mary family drama scaled decent amount throughout season first family member along mary take relationship next level head towards wedding neither story really impressive add depth mary protagonist touching see people transform even though may want kept varied enough formula get old good thing season took much bigger part ever series overall season well written procedural based previous throughout interesting fun watch look forward see go series two season good either previous two fan series enjoy wow feel completely different state third season plain sight left disappointed felt natural outgrowth plain sight season strong first two season two mary mary gang shooting nearly conclusion season two uncertain relationship n de la going even though accepted proposal recall face shooter marshal guilty like shot previously uncertain feel wanting jump right back responsibility end third season entertaining filled droll humor first two particularly episode mary met see two first met mary brought quite nice good looking transfer audio quite good well season nice although buy show reason necessarily commentary father goes west commentary series mary priest bar commentary series mary someone must reading commentary also get cast photo gallery would hint hint two production series season show get five bit predictable outcome like see take also set could use couple production series fun another exceptionally good season series previous even flow work well chemistry main cast particularly outrageously funny hilarious great presence highly completely disagree previous review movie surprisingly effective professional independent movie gotten little press acting quite good writing strong definitely entertaining movie watch could feel good type flick loss pain people growing apart found relationship two particularly touching believable suffering miscarriage acting dunst melancholia give four think fives highly recommend movie two spare relatable portray life really thanks series time promote show well enough money effort put behind promotion public slow fail recognize quality entertainment show clearly would large audience love violence war sex selfish power hungry found realistic vivid portrayal society fascinating even certain historical customs social life streets highly expensive fantastic coarse real appeal richly times writing could better attention complex political witness unfold less soap opera melodrama really bad unique series two people even know face personality period understand motive time easier follow classroom setting great series amazing awesome season originally varied within kept coming back watch rest slow good love time period sort intricate believable story keep viva action really great movie great series bad production thought even though history love story also drama history know great way show went ago would given much explicit sexuality beautiful good acting average writing perfect built take viewer times spell bounding really gave best yet entire first series giving full however far look forward enjoying entire first series please keep great work offering outstanding rarely watch television however series fascinating history life purchase gift husband said graphic almost pornographic whole first season say series nothing short masterful said wish enough faith material trying grab audience making first two x rated graphic sex full frontal nudity slowly last viewer watching discover watching masterpiece real history actually learning something brutality violence also disturbing given time period research production international cast acting first rate two crude brutal immensely history buff interactive feature lead good overall great well produced well true part opening series season two although director heller kept close historical possible think history typically written victor period august result marc us hard nosed drug addict prostitute neither remotely capable people anything violence vice heller accepted without bit sepsis probably even added additionally pompey pompous brute somewhat likable weakling instead know somebody paying attention sure heller series great entertainment great job sketching life ancient might different great historical content right amount literary license pull engaging recommend watching realistic portrayal decline see slippery slope acting superb series really told another time people lived good along bad relationship two though blood military bond take care like family scenery great could done without much sex understand history way rough time history amazing wonderful movie series first came enjoying several later good insight times politics people chaos amazing little politics past recommend anyone get better insight history really historical historical tint movie like old gladiator gladiator series said even though nudity get wrong emphasize boodie one stood actual social vocational war deal get home underbelly organized crime major city series us way understand little human behaviour actually come history like real world drama think would enjoy also flashy well made scene fantastic acting likewise good find lot humor also good follow time historical novel formula story backdrop major used good effect production story two straight arrow act think later friend ray power struggle assassination b c rocky far engaging series prison death sentence cell door open later help commanding officer search eagle standard stolen quest surprising turn along way soldier disorderly companion begin build friendship blockbuster style even prurient interest bore walker carried aplomb meant often lust little like witty logic pompey pithy description battle lost show much better script might costuming marvelous certainly deserve also watch little life like working street side shop pleasant sit back relax soapy glimpse ancient left wanting main course try reading steven excellent mystery series set time frame good character drama rent special feature historical context time great depth show even without great great worth time entertaining like historical value little many sex like little much time wonderfully new view history empire least thought provoking good good stuff around must watch history drama fan enjoy story line two something like able want see amazing adventure happen next like watching ancient however show lot violence sex nudity male female type behavior considered normal back keeling interest looking forward watching shall see goes student history enjoying media version overall program time tell fear turn another soap opera like watching seen first season second season series good job major period fairly light think one squad action battle couple battle otherwise mostly town crier would definitely recommend watching road option option lot trying convey especially used odd dis instead strange generally associated pantheon said acting excellent good thought mentality period well one caution lot nudity series none necessary mind possibly orgy end season two clearly debauchery court nudity caught surprise series get rid store credit always history secondary caution vein full nudity male several sodomy assume homosexual must say series thought would found quite interesting compelling lot action keep viewer interested produced directed well difficult learn episode episode would highly recommend explicit language sexual throughout entire series found series close historical beginning republic demise divided nation end glory days kind person history learning people times lived good mix drama intrigue dash sex violence set mostly believable historical background great character development gave star rating drama historic value somewhat perspective rise fall empire morals lack series interesting look life war political well times raw intensity find anything particularly offensive also beautiful walker expect drama intrigue history great looking forward next season excellent show well done tend drag bit however show well done overall well worth watching received ago gift sure beginning got binge watched long term popular seeing available prime thrill well explanation seen game spoiled streaming quality good acting quite competent semi historical plot revolving around senate al intriguing much like many sex nudity play strong part prudish might show good writing excellent acting idea pietas comes across wonderfully writing superb acting expensive historically accurate production wish two enjoying episode four continue fascinating cultural history scenery acting real kick tunic fact complaint populate cast many hardly helpful even slang use bugger pax try getting actual next time casting along real dialogue sneak character spoke losing face concept expression would fit nicely film medieval japan ago much get wrong really like series sure turn special feature background go historical enlightenment surprisingly good colorful specifically fairly accurate historically complexity time course account informative entertaining good series portray great marc historically marc blood show series worth watch like reality life like people people whether live today ago good show interesting little explicit times watched couple would recommend unlike life previous cinema given us series afraid depict life according historical action game politics scheming glad prime great depiction historical recently first time interested seeing time may like show good however disappointed find nicely done historically good ray fan impressive sound effects great bose sound bar really watching past could done without nudity realize way back still must see think far fallen people seem real yet also dreamy convey attitude today life cheap meaningless great series overall great character development settlings strong acting writing rich multiple within main body series great follow love history disappointed season get going really good towards end leading exciting second season great cast bloody side bloody great somewhat historical entertaining program interesting looking forward getting season would recommend still enjoy action interaction watching series cool love area history human otherwise brutal empire series one enjoyable interesting long distinguished list serial history period series lot offer faint heart however violence graphic often sex leave almost nothing imagination full frontal nudity unabashedly pervasive kind series want see however one must understand age mark society polytheistic superstitious dog eat dog oligarchy fascinating watch interaction economically light apart yet remarkably similar petty arrogance human well written series interesting plot full crisp often witty dialogue believe cast almost entirely excellent mark walker especially fun watch dramatic recording could ask men audience sex violence blood would recommend rent entertaining series fictional historical graphic sexual might offend overall series worth watching good show game got check episode ginger minge excellent great describe would recommend show interesting get lost times felt like certain enough love show sex bit much especially frontal nudity overall show good marc excellent sexy charming good screen play acting know factual series entertaining worth watching mature intense nexus love pride greed war great acting overall believable really hate love drama series recommend great show watching much action mostly politics apparently fighting endless family within fighting time blood everywhere battlefield famously senate floor production wonderful make good attempt historically accurate whole sometimes baboon thing research one true bottom line faint heart ripping good yarn reason give season five one annoying fact slang place ancient setting agree example bugger ay get final script used throughout season came strange considering forked million problem instead secret average actor theater belt counterpart however hire much look please refrain slang ultimately authenticity show people whine series could used would spoken would something watch get authentic sure would gone way would aside engaging series worth watching interesting series society many present today times sad despondent likely quite accurate time period hope presentation historically correct several past certainly worth glad spent time every episode great story line good cast acting top notch true life period altogether pleasing show good show precursor game series ended mistake ending early nonetheless great installment entertaining series rich history republic war corruption rise many say cut show little short however enjoyable plot definitely worth watching fancy mythology history touch must watch may enough another one hit park show os young travel back time see men much besides see nudity scene scene prepared also prepared drawn story line brutal time action entertaining bad two far good almost done first season really great historical series right ally know people time free problem naked imagery wished less different ending kind short entertaining like historical based actual history lot fighting perhaps accurate portrayal historical nice scenery much lewdness like great historic people character good bad also political system well pretty brutal brutal times good script acting story kept engross way character one thing didnt like graphic sexual perversion thought way overdone took away serial understand immoral vicious could graphic manner hard recommend seeing slow together watching series glad historical expert ongoing correlate knowledge lots sex violence keep attention good story missing good action sure due budget plenty great really like realism times empire tell lot time expense went making series hooked recall one first historical drama series elaborate game set stage future series first loving rerun acting good story follow actual history lots blood action realistic possible way story brutal although give abject horror probably really bad bit much bad language x rated sad say sex everyone almighty dollar first season show would give show two show got cut well first season entertaining show somewhat become clear detract authenticity well seem fit period well lodgings well done piece series interest throughout great love historical felt explicit sex overall enjoyment made totally unsuitable young would otherwise sweeping view history love program dramatization momentum tumultuous days grab power think gritty reality historical creative license story well said sex ridiculous yes know decadent need see every nook cranny need privy copulation going city reason give give rest partner playboy channel move soft channel although historically accurate season entertaining well many ways convincing acting superb excellent watching show sure close truth watching well done fiction cast back time fascinating way minimum give good show seen twice sometimes three times whole production professional good convincing definitely worth watching interested ancient program acting casting outstanding story line interest thing find odd strong thing missing big screen large scale battle first questionable character choice actor grown manipulative politics merciless great show good made series good summer half way though first season hope enjoy second half plotting men morals men morals casual sex whomever whatever filthy language soldier plebe classes anachronistic impressively extensive vocabulary upper class great acting frequently jarring gruesome shocking like watching car wreck take wait next episode expect much way historical accuracy one great drama set backdrop fall republic overall movie era well made feel part action grip sequence avid disappointed lack accuracy depiction court style section series understand much attention daily life anachronistic love main hearing thought fictious people gallic student ancient culture history love seeing movie case drama comes anywhere near truth looking forward second season though continuity sake likely make mark time brilliant woman great power anachronistic first season acting fine really caught sense culture times many ways alien us age technology gone wild ring truthfulness republican empire pompey control republic well lesser also fate well done typically v sort presentation depth still entertaining bit facile good substitute days caught game yet still want watch little political intrigue blood gift brother first set defect skip play properly customer service sent replacement set right away set perfect brother said thought though graphic sex violence regular accurate went times watched series cable thought acting excellent complaint according history pious certainly way series however make good drama though accurate writing ridiculously imagine centurion saying also really believable stop fighting tea made seem civilized midst young man much like wonder related good series fight make boring times would watching good time filler dont nothing watch fun watch like see based history watched would rate gratuitous sex violence aside acting pretty good attention historical detail spot look forward watching rest season watching empire rise downfall interesting series drama history mixed together due adult graphical detail captivating series reasonably good semi historical drama lots poetic license improve dramatic content lots adult content suitable series little slow going understanding basic history much interesting like historical period like action mystery love political drama get hooked even know ending really series kind soap set time period went republic empire negative history apparent reason enjoy genre pretty good sure soap operatic lots go along historical entertainment best might actually learn little history empire plenty epoch excellent take well written produced great writer look great entertainment first push envelope game worth nice entertaining educational series worth price like historical series well done well plot based known real historic private creative normal ordinary live ancient type well found entertaining indeed think two ago still cable one free sneak came across remember season showing three four watched found quite entertaining even though somewhat lost story line point still entertaining available prime via looking forward watching series beginning enjoy watching dealing ancient history especially especially done well refreshing see lived without technology watch strictly sheer entertainment entertaining far thanks love delve deep history viewer want watch brutal violent warped constant nudity away story ways enjoyable put together plot well made accurate history direction top notch well acting enjoy history look think grand place may misunderstood part history really life like back gory sex filled world people could move society record disturbing incest however well done sadly would said famous line last episode season say rating must square episode intended mature audience likely like normal want lighter view look something history channel least put together yet another great series one may watched another network reputation great series soprano game gave shot totally love good fix game next season game story lot last would recommend watching entire first series making entertaining season taste emotion caught web history blood comedy true historical two seem blessed touch upon th legion headed mark great acting give life friendly great watch also interesting see character development start coming te light know historically sometimes differ word wise looking nice clean classical epic men swan making hand want know life really like city state brink political civil revolution want see well want know political well manipulate self serving story frequently bloody sometimes gratuitously sex plenty power family infighting good soap opera superlative acting great writing faithfulness history purely fictional series course especially messy domestic impossible escape knowledge scope stuff really weight truth behind story added power many great first season enumerate although figure central one role instead later later dominance however walker political sense maneuverability well worthy televisual predecessor without poisoning aside enjoyable part depiction city bleached white marble ghost many colored busy bustling noisy frequently dirty metropolis cusp republic empire series quiet much first four disk number let go stop interesting plus evil pair last two raise totally took surprise sure season two rise star season joe series historically accurate educational also entertaining difficult balancing act course realize romantic pure fiction add entertainment value nevertheless series fairly good historical drama assuming based real history fact get back therefore rating giving today contingent rating series amazing production acting good across entire cast writing engaging thought provoking action well thought exciting little much visual sex nudity story line fascinating pretty decent set accurate really worthy praise cast directed nicely humorous times almost war ancient made average day character important series assure exposed equally beautiful sex beautiful argue pleasing watch set could compel many take minute two refresh knowledge empire good leap history realistic form nice one series sure make learning lot interesting doubt involved good looking although really enjoy series acting superb sexual content bit much know empire different mores care see naked explicitness like way movie important powerful rich two ordinary men typical series violence sex cater enough reference history keep interesting well well produced series nice job together history drama rise self dictator republic continue watch series becomes available prime seen yet trust great pure movie first season otherwise wouldnt season good entertaining interesting extensive amount work stage costume design tamer version well done chance watch video quality might video quality usually better said included prime still give show great historical setting true life characterization brutality era realistic face continually talk good old days corruption mendacity part history look much government corrupt knight good show entertaining know historically accurate pretty good show watch show interesting historical included season nothing mean nothing left imagination sex saw bit entertaining would hard top incredible series stunning well stirring true real violence sometimes tune hope next scene would play soon absolutely stunning young man opinion great career ahead took effort watch try separate came set part sloppily written set price better quality still professionally skillfully done series pretty good series sex every gave interesting far want see would give season seemingly realistic depiction way life would era ancient history enough blatant brutality throughout show make glad ancient history social political intrigue supposedly took place time history present time good show historically speaking also course writing acting part excellent excellent series however violent r rating content old sure slight wear tear outside aware used inside great good deal money intriguing story involved entire series excellent start finish great scenery interesting spin history entertaining even factual put back time moment great great story watching series wish child friendly version series could watch introduce ancient civilization think could offer version without sex without losing much flavor uncut version suggestion bummed show like game like sorry two show different time place history love dialogue sometimes used world notch find talk way back great acting action historically correct enjoyable leaving edge seat waiting love historical realism series took get know soon better understanding going craving next episode quite bit sexual content series get ending part leaves anxious see going happen next part good series series much excellent casting acting great historic information husband avid many popular series today think one almost comparable good breaking bad notice said almost give one well worth watching disappointed season wonder thought good much sexual content shame soon story line attention series start slow goes first season good unfortunate two season second season definitely worth seeing good show well wife really enjoy watching series show good story line well great acting realistic compelling story great scenery definitely meant adult audience r rated sure like history love found quite informative history smattering need know people much past long way go world power wealth beginning human challenge really seeing time like also parallel story line audience see non patrician lived fan play mark like look series historic accuracy convincing people negative feel like sometimes seem comfortable still much enjoy watching great series watch definitely lot sex violence government corrupt aside love cant wait watch another episode really season disappointed think good due fact story real quite entertaining season even better looking item several decided try best price received timely manner also shopping since good experience enjoying franchise far looking forward starting season graphic violence less however nearly every episode sex hey good stuff wait see next episode time thing way fully available miss look history perspective common man social elite rise fall excellent casting engaging character development caution due explicit likely realistic time sexual language graphic violence great special effects good series keeping true graphic sexually violence wise good choose sides early likely find little first series definitely outstanding especially attention period remarkable within within first season never always note one attractive seen heartily interesting educative prefer less explicit sex see teenage daughter far first seem entertaining hooked first episode graphic obviously young know little empire sure true history story line none less found well worth watch would given thought blood mayhem little overdone good especially story line two th real story involved part history nice scenery nice probably watch season find friend name watched less week like watching watered version game still interesting give first watch notice character person prince game slow pace great great attention detail authenticity complexity story line known history nuance depth aristocracy prepared graphic violence sex gore good series well done think ancient realistically food attire much would imagine times normal glamour usually historic depiction may five star complete love series ordered add collection quite disappointed see really came flimsy paperboard old beautiful sturdily made thank goodness still brand new gave old set watched season many must say pleasantly great casting fun way follow history times adult content worth watching good show wait start season lot hope season good power watched less week interesting good acting bit bloody mildly would recommend like period type pretty good bad language nudity look show watchable watched engrossing though bit gross times bloodshed cruelty abound intend finish season much enjoyment certain favorite cast like seeing radically different first saw overall production quite liking action story line little graphic forth overall exciting adaptation history real good period piece side flow time sometimes understand challenge telling story like format without making large time flow think little tid bit could bit would accurate period milch deadwood first time first episode catch attention second effort second series made first episode seem absolutely necessary rated series four like nudity less explicit sex series story third time able concentrate sub sorry series much obscenity story interesting different view marc follow reading history order sort fiction interesting engaging series get past nudity obscenity interestingly correct really tough times history excellent necessarily soap opera element part presentation giving top rating apart story recreation clothing superb well done good depiction culture history would like see grandeur like coliseum one cannot understand depth history reading history series clearly reality life times period eye opening wish less time spent sexuality times however always fascination empire people culture oh cool architecture age many series usually focus violence rather politics well like politically series answer time power overwhelming empire breaking point mentor pompey massive political upheaval marc loyal right hand man vital many occur level personal level people many remains unwillingly loyal mercenary yet develop close bond become close shown relationship wife away time toll marriage friendship tested one occasion react entertaining story insight shaping people time must felt script vouch accuracy highly enjoyable fun thoughtful time know accentuate rarely plot set hard see money went acting solid across board nothing extraordinary job well enough music jeff beal guy magnificent superb say least tone show effectively say really low show happy say astounding series personally although league like deadwood offer fresh take great empire interested people world one got watch highly watched first two found engaging plan watch rest series nudity violence may want little watch series richly awesome acting across well cast accurate history think movie good like x rate men show show naked heck love show great great story bit violent gory keep closed slow start episode pick scandalously risque like sort thing often memorable gripping good see series particular series almost got watching watch good series average plot wonder far reservation background well done ofter pause look detail yet pause admire yet still fine looking watch series like lot good follow historical period well rate five great interesting mix history story fun way learn time history turning point civilization inspired learn period side series quite captivating similar series far story line become become engaged story friendship two different classes entertaining like sex brutal action political intrigue show age dramatic acting real life instructional video good show young sex enjoy watching early days like game show well done good acting highly story great one example young everywhere watching observing saying precocious everyone scheming mother clearly emperor material marc perfect loyalist cad wonderful given especially dealing scheming niece good extremely violent little graphic murder sex good acting could relate people killing torture rampant culture glad live era authentic greedy powerful history lesson glued screen watched first episode series hooked suspect one want r interesting factual good series good balance upper class foot reminiscent game drama grown well made show enough sex violence ensure put bed first good series showing still goes fighting screwing constant let stab back intrigue series picture well city day small filthy closely follow known historical time showing people likely lived daily politics shaped riveting high production great portrait time period ancient better nothing else needs said bit bloody enough good acting like historic content little violence top ring true history far good drama drama drama good stuff would recommend outside make sure forget fun crazy kept us glued soon forget republic contemporary bloody operative word want see violence hear profanity see nudity watch show great character development historical basis watching season looking forward watching season cool serial completely aware history watching want know history good historical drama issue cannot watch along saw show first upset however watching feel like ended great see marc well great show always action series preferred many bloody realize reality times well done galore still engaging wife found violent mind watch first unlike recent sword sandal happy made decent thing certainly magnificent thing tell first say nice went right first follow actual history lots little properly bone white marble colorful garish like really series look like bunch running around olive leaves hair like methinks look closer reality standard picture brought us cinema touristic post sort attention detail amateur history like happy recognize hired someone least smart consult thing particularly many hair red orange fact popular hair coloring days knowledge never movie made series par movie unique insanely clever historical veracity series even went far make two main based real historical brief mention gallic war always sort attention detail another thing right involve production man physiologically capable making epic manly director producer alive today capable making film without parody true recently like man would king got made baby boomer generation generation thus far absolutely film make movie involve tasteless homosexuality anything wrong self parody smirky war blame baleful influence soy modern diet class made time sword sandal epic barbarian supposedly making another epic much looking forward production obvious though insufficient mind probably turkey scouting next ray performance ne er well quite amusing much character even occasionally animate horrible movie maker hero everything genuinely strong guy traps give away great charisma walker fairly delightfully greasy harlot mother excellent rendition particularly latter performance young age got exactly right also young man wonderful performance one armed young hero master commander looking thought far film look forward career eagerness someone watched certain give special mention favorite performance thus far thing mark never historical mark man weak venal stupid oaf let woman ruin life mark character movie also weak venal stupid oaf utterly charming happy go lucky fun loving little grease ball man want go drinking loose seriously fun guy genius portray way attempt little bit movie scored better lot could done part oddly independent take word portrayal swishy unless word something like really acting man man author must smoking crack fighting acceptable though much derivative cinematography gladiator complain people rave sword fighting lord abysmally horrible slow motion make anything exciting ever neither spinning around like ballerina since actually know bit fight complain get right thus far probably due involvement year old went insanely wrong musical score horrifically bad since music sound like music imaginary la latter day dead dance let tell never know music like example comes close theme music dumb belly sadly become standard lord troy gladiator garbage bad care much except gladiator quite good action score used appropriately series kind care mostly bad music cruel brash military like musical genius composed day ben least glorious music like basil made taken part movie considered utter nonsense used worthy snake charmer middle eastern stripper though would appropriate use would story really describe atrocity plot soap operatic wretched subject grand dramatic reduced best cheap soap opera anything actually quite fantastic way reducing huge epic tale sordid grubby thing special kind maliciousness depravity rather beyond anything annals ancient people could mess story good badly could describe series single grand moment triumph never grandeur least make glorious thing like triumph boring thanksgiving day parade acting mostly insanely bad story offer manner opportunity hammy goodness genuine acting insanely incompetent neurotic far unlike real even well kind history plot desperately provide rationale betrayal boil sour losing game checkers stumbling ogre incapable emotion face confused rage would great portrayal fundamentalist soccer hooligan horrific first spear miserable cretin actor supposed heroic character vicious evil incredibly stupid bad walker character vaguely sympathetic amusing even fleshed something two dimensional surface compare magnificent even ostensibly pornography movie well make sad even actress trying really hard rather well anything amazing historical figure reduced crabby little chicken looking back day old coot best republican least vaguely recognizable type rest mighty pompey reduced lame incredibly vague old man read day real insanely strong shine time made look like aging interchangeable marketing involved wrong end hostile take finally actor n insanely good acting job problem made looking guy look act exactly like warner executive indigestion piles probably interesting man human history made look like corporate dude bad case piles also could done without egregious sex like sex like sex still one brilliant depravity yet seen mention beautiful view ancient even vaguely hey real book days sex movie lame soap operatic soft designed appeal maximum cross section people watch lame lame lame chaste far evocative decadence way made sex made pimping sons studio incest look like viable rather degenerate culture suppose talking even look like enjoying depravity going like dowager guffaw twirl much evocative debauchery brutish nude series guess lame soft goes vaguely right obviously pasted plot thought hey need show hot sex action woo woo anyway said show still worth watching attention series like sequel different going somehow impossibly must admit series interested actor fantastic really understood woman actor lord talk media think eat young bit collins dynasty actor young annoying hell somebody feed mean suppose believe royal bore grew frankly better weird actor actor famous get much like hall could get hard absolute rash around incredible ruthless assassin talk anti hero overall good series lots violence nudity history buff find entertaining educational would great series high school could eliminate r rated wait season thought good historical drama good base historical fact course literary true one negative comment personal lot nudity lot language something consider sensitive spite great cinematography acting history buff may want check season much better opinion season usually true enjoy well written interesting story based actual history top notch character every effort made toward authenticity scenery although historical intended mature appropriately title season could rise fall season enjoyable view many different set circa last reign primarily series two superbly also superbly ray watch season power mentor pompey create powerful marc right hand man even appearance fun watching battle violently violent times struggle family loyalty empire friendship series always action along bit slowly times overall well done similar series like good really good stay tuned season son lover marc power p price series way saying like subscribe might consider unless collector finish first season yet like going far pod digital even came tomb left controversial shroud behind perhaps magnificent ever say still time catholic church series familiar mark spice already many territory well traveled indeed era perhaps piece history told compressed amount space significant event anywhere magnificent general pompey rival vying power position pompey fought many responsible ancient rule among later falling love mark stuff later road era far away almost conceivable one lived old timer seen end campaign back pompey along way assassination right around corner know turn read history revisit view looking city era several different status much glamour see lots brutality public sex violence even get situation brother dipping sister certainly good people pagan society rough morality civilization cannot brutal despotic cannot survive political entity must weighed character according belief system strong sincere worship well cross occasionally audience glimpse man street lived well overall strategic direction republic empire taking especially intriguing interaction example something man street would never see boy king like later see retired working slapping onto new civilian life something would seen upper classes time shown upper classes seem little regard morality especially get way advantage rival scout leader character would dagger enemy quickly war self defense away killing someone money though family bad need funds meant mature taken lightly extreme violence sex nudity language bit rough times overly see deadwood though dialogue drag bit boring setup something exciting us period busy one western civilization around key close proximity though consider era would like see something else many keep looking good effects could better first series addition life era interest well interesting series extremely well done provided well dramatization struggle cast outstanding overall production quality high praise taking historical topic hour series reason give five couple punch particularly following first two entertaining always curious time people lived rather barbaric part history show well written acting good however one stop watching doubt second season lot love get series great action script location believe cast fantastic walker great pivotal role series fantastic job setting tone action set set great give historic background actual real life ancient leading current hair realistic feel alive ancient must see like combination great character development good story line much much watched season wished anyone gladiator would like see politics behind scene like new interpretation history brutality lust elegance power great civilization movie like cinematography capture color atmosphere great city highly recommend series bad enjoy enjoy intrigue drama historical series empire advanced sewer system hard imagine later dark wonder think ancient really read matter series certainly get right often fudge order create interesting like common child sex violence little gratuitous dont need extended story eye candy designed like stuff series entertaining great crisp writing excellent ensemble acting much better written true good series dont think real history great series similar less gore little drama acting done well enjoy story good casting bit beautifully went season even losing main like historical accuracy forward think great series wish fight would help well worth watching amazing much behind men husband series watched couple kind gory taste great really series entertaining good show game enjoy watching continue watch next season quality series political pertaining two likewise become political time superb even emotionally engaging many professional political life personal relationship life story violent corrupt sometimes felt watching violent seedy side ancient expense daily life least manipulative vengeful sincere honest season one better season two violence despite historical series allow viewer participate likely ancient pretty decent show seen series recently first season sure great deal poetic applied series great job giving feel many people era may lived pleb patrician much intrigue soap opera city senate forum enough raciness titilate without profane progression could easily several still ample historical detail hail well made graphic story line watch aware lots sexual violence related graphics however well done story line without taking much time unnecessary sex otherwise graphic nature violence aspect aware normal v show back level show almost said well done worthy watching go knowing hold anything back time period interesting us touch history even though lot show fiction still good study past great drama like history class really way made felt interested going happen next worth watching found series good job real life reign good blend history personal interaction casting various well done would recommend series enjoy history personal plot generally historically accurate little young battle reserved put hearts sex little gory offensive must like sex violence order enjoy series plenty found entertaining disturbed historical ranging portrayal relative major reality older turn older minor actually extremely virtuous portrayal leading crossing however understanding intended entertainment historical documentary suspension disbelief found series entertaining interesting particular version one fascinating grace recent series notwithstanding historical portrayal late republican series actually accurate movie series seen recently found reading history well done good casting kept one better find watching make wonder one excellently done real shame totally due unfounded sad humor lively facial plot light entertaining recommend friend get past classic production fun time program make think system justice may make worry many people may worse first series good magical show take seriously think one best seen genre note sequel plus six spin series seven count sequel yes pretty cure available also version perfect subtitle timing although watchable usually tell going complete absence really choice get copy wish iron get pretty cure may seem average neighborhood bar come night form quirky deadly writer director mike another excellent ensemble cast tour may want visit late night mike consummate film noir cinematic storyteller intriguing glimpse world sex murder agent like memento bond thriller slow mean punch well directed film style reminiscent director dark night golden impressive interest beginning end spoon feed viewer lighting greatly added suspense billy doctor gave good easily see film received festival nomination award overall thought video excellent narrator rich melodious voice took many major new outside city laura oak alley plantation bayou country criticism touristy like garden district quarter wish video extended gone motel hell without first story best farmer making snuff brother sister caught trap worth watch kind bad cool video video angle would recommend like obscure indy horror given jack acting seriously cruel son khan well bomb sex actress time thank watching lot must say pretty interesting definitely nothing informational good way kill time nothing else first one ever seen pretty cool would buy video cool great interesting need show speeding though chase overall good buy fantastic show witty clever perfect thought watch every got hooked really start like character good job keeping fresh love love super dry sense humor never cool watching think high school fake like sister back good old still still better though enjoy second season like first season better curious find season hilarious weird way like insight course lot original music show unfortunately also n many cut know getting took forever release partly due music expensive would release material without popular episode throughout original tenure brilliant series funny sardonic witty suffer lack current state release yes doubt however video quality sound excellent voice work still hold well quite without original music reason could give would easily original really fair amount effort put task instrumental least tried somewhat mimic feel many original really quite overall experience still great trip memory lane season great probably one fun pierce us fun glimpse friendship crush jane brother funny episode one really many deadpan delivery everyone else episode us see something rare something boy n crass new ill also among best season least go wrong season either extended family get glance jake days dumb like season lot feel like show really get groove know well love show remember watching younger teen nick although kind always hoot amazing relevant today first still enjoy watching deal high school college well season strong noticeable added quality production value script season loose direction towards end well defined plot elaborate second season still enjoy first season love watch catch witty sarcasm great video picture nice review episode choosing episode want pick like madeline like enjoy older seem better whats days love series better way watch kindle fire wished thought movie really great entertainment good comedy would definitely watch movie future recommend looking crime come across watching especially fan ray wish made love ray guy could read phone book hold room quiet show good spectacular ray would give moderate rating ray show show person holding together vincent made ardent fan ray gritty well memorable cast dialect little well worth effort fun story fan pride prejudice especially story historical living like said fun story jane purist might like taken movie want enjoy fanciful adventure familiar good series watch one favorite episode two missing part price song downtown hope happen throughout rest series good love movie definitely going watch list ended pleasantly fun take seriously go expect follow book someone pride prejudice finding involved story course would mess knew coming tried fix fun story really think may ruin bought long flight love jane fun get lost right along really good cute twist jane story easy get caught wonder different would one change story quirky cute different version pride prejudice always want one saw first series back like recently decided give another try really entertaining fully expect like lot focus superficial predictable old romantic boy girl found interestingly done fun watch kind us history lesson time period definitely like lead character comes superior condescending attitude living greater intelligence understanding really gadget technology knowledge people match fact capable revealing gave story truth made enjoyable glad fun take pride prejudice whoever wrote great insight really wish love pride prejudice comedic take much beloved story familiar original pride prejudice found light hearted enjoyable funny appropriate times recommend jane looking something faithful original works absolutely sort time fantasy accept front might find enjoyable strange ill admit times much main character original story character like leaving family long close sister best friend book also feel like certain kind got screwed wasnt overly although end think tried right main true die hard pride prejudice might little disturbed story id totally understand put aside use story back ground thought possible enjoy found story interesting creative kind cute times probably wont something watch glad experience fun science fiction series based jane infamous character look forward watching title lost slightly ambiguous read pride prejudice may lost spoof still engaging nevertheless us true enjoy lost walking magical door even though times twist romance goes bit far still enough purchase movie lost sit back forget reality go someone enough keep borrowing never got back biggest issue guy particularly new word still entertaining pleasant way spend couple jane buff movie series disappoint terrific comedy heroine works hard keep true also drama besides love love sister well true disappoint well worth watching enjoy personal p anything gemma well usually appreciate jane fan make guarded exception movie whole plot pride prejudice thought found willing temporarily suspend love classic book entertain alternate reality family pride prejudice commentary sometimes grass greener side fence foundational point simple well taken story interesting tolerably well rooted found ending satisfactory alternate reality tale writer lost trying remake jane beloved story instead pointing irony modern love period tales romance jane suffocating upon society day today actually scream frustration woman would dearly find door freedom comes along living modern times jane able become mistress stark reality stuck cultural trap never today may well wish could escape harsh life times regency era rife freedom reserved lucky enough catch right husband could fantasy world jane mania foolish us like could actually go jane world cope would find make tolerable price unrealistic modern outlook incorporated story spoil telling warn watch movie another remake pride prejudice sorely disappointed prepared enter story everything novel love thought provoking think us know craving wish different reality given us mood silliness break among ensemble happen fan rigid presentation mood serious fill bill greatly series enjoy enjoy series look surprising way get another spin story series interesting twist pride prejudice story premise society person society came world would would work heroine film somehow doorway flat th century home pride prejudice sneaky heroine inserted novel plot must make way regency period culture meeting jane austere great fun cute modern day time travel retelling pride prejudice love p p first read thought would watch cute usually dislike fast forward crying nagging fun watch strong tad bit evil sort like man love well maiden take back love lame overall crazy fun ride would given five except fact make one something would done good wholesome entertainment teens fun creative short wish awesome jane movie seen movie delighted file order save love jane fi fantasy jane eyre goes past worth watching probably revile witty adaptation revision jane pride prejudice particular enjoy taken works interest fun entertainment find lots enjoy four part series lost price avid fan novel pride prejudice romance experienced one day find bennet gemma facing bathroom apparently magical door bath wall able transport contemporary long gleefully portal house chaos life never best get p p follow novel plot situation made difficult absence glibly away visiting hammersmith home interesting jane get complicated suitably brooding haughty yet drool worthy though interesting attractive rudeness towards irksome pair soon engaged witty verbal sparring dialogue part production entertaining one point jane ill country estate leave saying equivalent fever reducing lots series given two distinct time cast excellent er different woman steely determination downright nasty used guy henry greasy collins performance actually made shudder revulsion role quite surprising twist story unexpected fresh revisionist approach p p though follow traditional plot p p fun entertaining mostly likable cast carry production final verdict fun fresh taken seriously chose show season fan ray would recommend people enjoy watching murder mystery first episode series overly violent emotional making rather intense watch unsure could watch series watch episode episode vast improvement interesting subtle pitch bad man led life wrong worthy series nice twist run mill hard guy private investigator series main character vincent former detective yard typical hard guy chip shoulder private investigator twist going rough personal crisis losing another guy investigation twist human series different rest enjoy good private investigator series good drama series enjoy series interesting remember watching show early late night still fun watch material original today plague dogs well written never happy ending totally depressing refreshing view series saw child good rendition color considering black white say anyone else would like ancient series looking series long time find premise secret super new idea typical era neo thought cool plain nostalgia watching want time travel late blast go back time television kind new made sense love quality picture clear sharp show one although today music young say today bomb always hold special spot heart great show back unfortunately short lived never knew actually get experience first time rug classic series growing refreshing go back time watch searching episode everywhere one growing glad able find never knew one season show like must acquired taste year teenage prefer original rating based review watching hate show even tactics always call wise efficient catching god sake took afternoon watched zombie small intermission seen movie yet plan understand hour film feature length expect first part need watch second half negative aspect film also understand budget zombie comedy lister acting effects get past great time really effects seeing much budget true horror film still true diehard genre pretty obvious legendary film director opening epic nail eyeball grew really enjoy throwback usually judge movie left first minute half part go visit see type movie tea watched still used unbelievable think could get away stuff film zombie movie bread braided challah bread twisty lapping seeing zombie movie snobby bitch enjoy movie like effects acting personally think great movie forward part go missing great stuff first say hard time hearing times difficult decipher zombie maria part ford truck sometimes story felt pretty slow part part much fast paced audiophile audio quality worked grittiness film film made horror yesteryear zombie fi depth sub big fancy film totally new experience comical character seen long time everything hilarious rob another volume already famous series super much fun watch guy burn follow good one rob video actually lot useful information novice photographer like know little bit really explain depth field iso however guy video extremely obnoxious sorry reading guy stop laughing trying funny fake firing staff making bad computer probably please learn difference accept except writing block actually worth least beginner learn lot little half way rental think money well spent beginner clear concise good good pace well happy way different really moment say little half know universal conversational putty text would probably semi colon comma period get e g forget adjust shutter speed otherwise wind one heck photo let move onto aperture get real interesting maybe dramatic swear frequency towards middle film ex well maybe much mind blowing nice video quality fine personal demonstration still get point across guess sharpness photography tutorial matter would nice see intended best stay camera brand neutral buttons relevance topic hand camera used obviously canon note video must class gave sometimes class camera assuming camera think even twice canon regardless distinguishing canon especially manual respective camera needs drop purchase price photography would must typo would pay much rent times less currently subscribe likely shortly edit thankfully pedal latter portion film idea neat hearing best great group people fun see unusual collection al grey ben stiller martin sure look great print funny live worth minute watch see people money goes good cause expect would get people traditional comedy show going lie fast paced momentum easy forget laugh walk stage say one line walk quick considering length video totally worth money see lot range completely innocent something someone year old aunt said incredibly incredibly vulgar pubic hair anything made uncomfortable least video fun watch rented year old mother watch nursing home really like hopefully one b horror movie simply horror movie never meant rehearsal anything mystery social commentary lose touch humanity find need sort immortality fame cost valuable life sacrifice get feel need making b horror movie story horror backdrop shot slightly budget director wore many huge amount time passion energy telling story feel many good come across final cut anyone interested story read script rent buy production company great film showing facing impact film touching story line nice outcome anyone ever lived past watch bring back remind stricken strike love true life general maybe voyeur seeing people live fascinating inspiring series depressing always effort make year old blues mind watching either always something learn great really cute show love blue like fact love solve blue voice really interactive v year old blues love indulge show watched younger educational plain cute son blue old ago fell love show instantly helping find blue excellent show imagine stop notice surroundings love toddler blues often forced play blue show offer educational value find repetition act annoying fun watch son learning growing show time parent turn hate listening watching absolutely love love sweet great choice always blues season three different however notice substantially complex previous still love looking season blue odds already know show third season new new follow basic format previous month old dancing trying sing along throughout various musical get enough mail time first two available free prime bought third season could kindle fire available vacation well worth especially year old watch blues cartoon version come live watch much season like lot blues son favorite show time everyday day thank time son show music entertaining without obnoxious rare show would give video quality consistent little rough show old excellent young forget current hoarding reality exploitative actually like personal well done doc subject lot heart rented currently moving half crap storage made want weed stuff storage combined short half price beer amount time local pub good stuff good informative anxiety show th grade felt little bit scary graphic great movie fit needs good movie used class nursing discussion mental health little old maybe one thanks little flick make think indefinably disease often misunderstood whole new looking trying find movie suddenly try great honest movie well done breathing true story documentary film man spent life iron lung screen narrator performance deeply moving courage inner strength word inspiring terrible pun breathe literally spire presentation gritty unvarnished film made period life covered sessions also sessions hunt basically one chapter story entirely different focus remarkably tasteful handling potentially awkward subject sex therapy two seen back back opinion remarkable evening sessions meet real mark wonderful inspirational man never gave amazing anyone could live successful career writer poet spent life iron lung polio survivor approaching video slow process sure ever remember went since iron lung survivor watching hearing mark description life brought mind really gone effects often little effects first assault post polio sequelae affecting polio world wide community plane landing away another devastating epidemic bacteria mark make continue acute illness self advocacy one else help us mark mother angel everyone support many fact two part told ever mention polio insurance industry would red line us secondly attitude much would progress accessible today without infantile paralysis foundation march heavy leather iron leg arm braces horrid brown high top graduated lung long enough taught frog breathe stack air today post polio still many require non invasive breathe sleep sedation daily clue polio prescribe oxygen kill us fact ama done nothing whatsoever help aging need consideration respect assistance even mark achieve many us advanced give polio type personality later life powerful obstacle support group regional director patently obvious almost sit upon accept help thus book polio paradox true still iron overall still thanks mark fore self advocacy life devastating disease perhaps foundation r bach stop disease continue help ref since year go without music journal discussion whether jazz dead likewise discussion extent jazz music perennial topic recently controversially powerful courageous trumpet master anyone exploring would well explore cry jazz absolute first exploration certainly order half century ago also safe say discussion politics would later find voice black power movement blossomed note bland late bland saying wished made better film give four although stupendous film historically significant film forgotten would certainly interesting many people limited appeal many although sincere forceful presentation remains relevant provocative half century debut minimal plot around cocktail party small group men black white discuss jazz manner film polemics live jazz poverty black community musical least part presumably sun ra band days shadowy setting clear film sun ra afterthought capitalize sun ra later notoriety good quality straight ahead bebop style sun ra would later become known film experience seminal sun ra could disappointed bland film heartfelt work serious minded musician composer arranger deceased went ply various music world following creation film ironically fortunately come film inspiration sun ra could well find new creative thought musical evolution film spring board delve significant generally legacy bland video live performance herb guitar bass front small appreciative audience long rather short days wine rainy day wave might well spring used sweet brown despite posting video actually interested watching herb work camera work sufficient see perhaps pick general jazz fan person music music excellent wish available despite short duration somewhat image quality like everything ironman decided would rent movie see kind story always inspirational watching train race great pretty good choice way training race day placid cool event hate production much documentary guitar got pretty old second author heck even film overall glad buy film bad idea better low budget yet mildly entertaining really funny couple could done without pole dancing year half also gymnast younger instruction good never point getting distracted hopefully bother anyone else worth purchase man pet peeve mine one favorite recommend damn time think need put heavy metal would gladly love love watch brainer saw love two together great need go entertainment kindle fire easy great price get learned lot something known nothing well done informative documentary easily everyone rented video review learnt pole classes pick better even hoped learn got experience still beginner overall pace video inverted proper warm understanding important took long actual section section fast faster class opinion best way use section watch move entirety first rewind second look need try move front mirror would feel welcome instructor class however think enough guidance would recommend classic training cover like posture breathing focus precision however someone general knowledge belt fun alternative workout easy days teacher relaxed call video workout rather stretch strengthening session especially like bed since slow cool relaxation instructor soothing voice accent bonus sort distortion time space way crisp detailed sound great la childhood add appropriate fi weirdness pink brown real time piece appropriate state mind enjoyable way spend hour video crisp well shot great audio one better one best overall although nothing else inconsistent good showing although bit rough around inspired wish video recent left best night promise alone good sexual scene around min mark pretty bad story really stupid would seen nudity overall decent skin flick workout good enough since bought digitally select level annoying zone bob great although like trainer well wish play button like biggest loser workout hard workout difficult use right fear discovered level bad thought would frankly biggest loser level much harder handle bunch recommend video worked several starting great different exercise showing people different sizes working encouraging want stop see still going really love show thought would try nothing spectacular great one hand one insert replace one episode hey cant censor thinking beside problem season funny medical episode keeper expletive expletive expletive expletive song expletive expletive expletive expletive song expletive expletive coon expletive expletive song expletive expletive graphic novel expletive expletive song expletive expletive expletive expletive song expletive expletive medical expletive expletive song expletive expletive first episode intended second expletive expletive song expletive expletive second one really expletive expletive song expletive expletive purpose really expletive expletive song expletive expletive respond something expletive expletive song expletive expletive season still worth watching people one episode remain first believe better south park season unlike people recommend come south park count still make fun trying rude south park fun everything episode highly recommend season came quickly quality outstanding still bummed episode hey write rate one care last disc super hero little long watched one step otherwise probably would given well would still buy like like remainder like south park season lot glad got even though available still good know still entire season overview premise south park stone trey parker early due viral video success comedy central picked franchise first episode adult animated series cartoon fame one first hinge comedy use crude language satirical dark humor set south park colorado main show marsh eric cartman kyle often parody special season box set include bonus episode season titled coon commentary never watched commentary encourage short trey parker stone optionally run first three episode parker stone used method commentary since early short often expose behind particular multiplying laugh count may also find especially commentary necessary full understanding humor significance season spring fourteen written week broadcast true south park style pop culture season include tron family shore oil spill catcher rye tiger medical marijuana jersey shore inception parker depiction prophet fan south park since beginning religiously purchase season however feel show cleverness charm gone slump since season still find show highly entertaining much recent comedy felt forced happy say writing pick back season nearly fully operational season introduce th season old joke saw resurrection comedy central new show titled real south park set feature real life cast cartman kyle dutch speaking speaking voice south park last laugh short segment red light district dealt savage foreboding death message read one real south park episode sexual healing aftermath tiger scandal rich bill tiger shroud public perception infidelity suffer sexual addiction episode tale believe reading catcher rye given illusion book controversial retaliate write truly gross story tale discover naughty book authorship blamed episode medicinal fried chicken closed due health medicinal marijuana shop place order swindle prescription randy testicular cancer cartman colonel underground operation smuggling episode south park social media kip kyle social leprosy token miserable episode th episode south park ever combining single army determined seek revenge town cruise attack steal anti mockery episode another army war south park time led head ginger cartman battle paternity eric cartman finally revealed episode summer jimmy return another summer camp ensure jimmy athletic fellow embody rocky parody commonly seen bunny meanwhile drug addiction hit rock bottom intervention episode poor stupid cartman successfully everyone else perception episode jersey thing midst fighting nationwide jersey kyle family episode investigate underlying cause multiple dream episode coon hindsight coon league vigilante coon cartman becomes organization last scene major crises oil spill disaster episode popular vote leader coon save gulf coon upon help seeking revenge scorned episode coon coon cartman creature target coon finally burden supernatural power episode randy momentary dream become food network type chef randy spontaneous ever leaving deal adolescence season good better south park thoroughly enjoy series look forward future biggest contention set expressed many fact would terrorist threaten business release elsewise uncensored frankly obscene even commentary trey intent unsure controversy leading one long incredibly annoying left commentary episode would love trey one day divulge statement trying make kyle actually said otherwise south park sad odd bit rest season uncensored great season well worth regardless said set comedy central continue put well staff ahead st amendment going make change stance letter writing campaign might work better recommend purchase still funny thought one trey except final disc exclusively coon related material personally big fan aware buy episode originally every time one end kyle entire learned something today speech comedy central paramount lame watch show order understand humor great show one imagine come stuff laugh enjoy adult swim family guy always sunny league ugly probably worth look great show cut prime great addition comedy line quirky awesome would gave except full season think every one ordered given refund seller false advertising show bizarre really enjoy dark humor glad decided give try slowly working really meant usually care one made laugh loud saw first episode remember little like main character pleasant surprise cell phone still four hell actual hell accessible escalator upscale mall like demon prime got show show overall entertaining get truly cut cord ugly dark fun sinister laugh shiver weird chuckle know expect really clever entertaining show figured trope gathering different together would recipe bland b list show hilarious show weak heart stomach great humor still crude sure rude absolutely lewd possibly tempting dismiss ugly amusingly offensive trifle going demented clark stern ugly uproarious perhaps one target irreverent immigration existence today animated comedy horror hybrid comedy central show every realm numerous outline set new york department integration show built around liberal mark human social worker trying acclimate various society general mark surrounded work bombastic demon boss half succubus half human year old wizard caseworker home mark digs zombie roommate body regular basis trying eat friend bizarre may ugly actually nice job making central relatable real dude wizard world worst worker beautiful girl boss bureaucratic nightmare mark everyman together ugly impressive mix ridiculous sight biting humor every joke slam dunk much going visually even peripheral material overall hilarity season one seven think get progressively become fleshed include one leave one imagination life blob job difficult gainfully employ pile gelatinous goo morbid fun relevant social commentary make curiosity surprisingly good animated show ugly fine line bad taste droll wit perfectly looking something watch gave try first turn kept watching quick quirky engaging primitive way knew watched strange really enjoy humor beat way like new dark sense humor enjoy fi show comes bite size show interesting concept often hard seem forced great show like crack love animation top found series funny animation style humor archer well interesting universe alien like live among new york city funny treat like illegal seeking citizenship unlike real life though giving citizenship away anyway funny series yes full crude humor sight still really well written wish show continued beyond second season interesting different get kind way know mean like humor show case crazy crazy wall glass prime show want discover historic knowledge original band great documentary rick wright course man give great perspective true art music excellent entertainment money original artist would rated five ad would better listed artist well done documentary late perhaps best period long know limited enjoy competent documentary guess want step made one exile works good overview life life giving equal time music personal life pretty good like goes though role drug habit different artist work chuck berry franklin wingless course like person appear still great good movie great acting thought rapist rape victim movie though sad good information involved situation like took place made look surroundings closely goes top sobriety journey really little privacy know show fame money getting people perhaps show much celebrity think important show initial treatment little nothing revelatory film still lots great footage good look turns young artist old rick nelson fan also agree video compilation early career rhythm blues become cult classic mystery anyone interested gay scene cultural hilarious send world male rhythm blues around time feel good musical comedy queen desert perhaps comparison originally bucking trend toward uplifting heart warming seem today street smart spoof syrupy piety pure camp dash raw also soft la oddly enough film already six old classic sex please carry series stock trade sex crazed famous lecherous line rhythm blues plot smartly stepped queer cheeky la divine magnetism irresistibly silly cast slack enjoying fun filled romp world rent sex bad art respectability pretty boy er fame one day classic grounds cemetery immediately sized two outrageous drag already turf new block make bigger splash get motor hustler new friend join galore escort agency dire need good men desperate sic sue quick recognize earning potential within mansion one bad daddy agency extravagant beloved customer witness star meanwhile murderer second victim club scene spreading fear gay community might murderer rest assured sex galore thoroughly something latest recruit perfect half could put finger later bad daddy court sumptuous setting fine art first two full time partner puppeteer would designer jean ex officer starved new blood looking love arrival fine discourse bad daddy culture rent rhythm blues exchange system rich cultured men like raise beautiful teachable flotsam everyday life ideally bad daddy pedagogy rough trade manners beyond hope stop interrupting daddy finally midst squabbling company see people interrupt pope leaves room go toilet promptly wild night frivolity private stuff private photo shoot philosophy better friendship power rent agency short new quickly rounded bad daddy address prevent progressive gay activist trying spoil fun quickly ferret hostile monarchy political interrogation agency swanky clientele still another gay man body could work seductive philosopher addict done perhaps bad daddy indulging cynical rhythm blues time puppet show ridiculous garden love jean unintentionally funny allegory artistic pageant eye rolling party unexpected arrival violent drug induced fit dead fun really film good taste one could also say rhythm blues good sense keep us guessing amused boisterous mix ribaldry irony grace deft witty script original marc almond rhythm blues refreshing yet sly tribute sex friendship male beauty almost fairy minded person enjoy film second look l sweet found movie searching horror sure really horror movie however experimental essentially long music video film used unique visual effects extensively effectively turn even mundane footage family ocean something extraordinary even little unsettling music experimental stuff bass quite able make want say brain collaboration quite either good stuff nonetheless sesame street always go favorite toddler entertainment indescribably useful waiting go sesame street two year old sesame street great thing chance wash really quick works well like sesame street easy simple good music classic toddler age recognize guess trying say u enjoy ur precisely go wrong almost year old daughter like several little less interesting especially like music episode getting ready school episode classic sesame street major us government department good nutrition reasonably educational though free worth bit boring help learning good translation popular show however speech rapid could handle great good trying learn language free item test ability actually stream versus buy however asthma know asthma video good job explaining explain sesame street fur cause asthma inquisitive aware good lean working keep interested time time good luck perfect preschool age kept interest concept heavy light understand yr old yr old kept engaged sesame street grand daughter really watching watching show hope made available instead prime member recently young child find good quality video always easy dont like front able see seeing often times suggestive material able stream prime membership apple something really enjoy feel good sesame street something watched child feel child well video quality great streaming flawless lot basic year old lot bad much daughter would like entertaining educational old program also think learn language sesame street nearly two year old request least x day screen time limited per day generally read book instead kept car long trip sesame street know educational daughter big fan watching brush teeth go morning routine fun looking free car ride granddaughter fit bill perfectly seem tire especially child kept well learning figure long good video great however like grew television nearly teen howdy prefer human much watchable jeff intentionally hard swallow bizarre hair dye acting style less zany jeff yore designed frustrate audience season definitely watch even believe meant easy take basically full crap bald faced misdirection one nugget truth ongoing war think grew neighborhood holocaust working class childhood people trying survive trauma whereas successful silver spoon edition common ancestry never show season holocaust episode super terrible eye rolling palimpsest episode avital like successor discovered already done criminal successor opposite less obvious much much sharper terrible episode palimpsest balder terrible truth steal real estate jealousy sadism sure greed reason rainbow palimpsest episode anyone l franchise decompress l season criminal intent show ruined overly loud score vincent irreplaceable opinion another fine really feel c still enough quirkiness pull vincent performance criminal intent installment law order series second mail law order long video real two year old keep attention ten probably due lack dialogue narration story briefly suddenly look explain video showing would good video explaining different like lay track saw original film moon year ago pretty good movie thought follow would great wrap first film say give try little different enjoy could used different ending left wondering happen next fund cliff music tony album see alan music none prime watch bad could purchase know gang particular thus search purpose many fiction documentary great view get hear directly specifically opposed hearing law view heavily drug murder yet think anyone firstly understand gang idolize worship gang trying condition naturally perceive much different perceive ending documentary really gang many stand unity righteousness commit heinous act heinous justify prostitution still believing helping community short king tone king blood word tone fulfillment word word made life familiar able fallen idolatry see religion like therefore killing anyone opposed belief system perfectly sound cleanse purify nation since king blood ordered plenty men times like splicing think boring especially tried speak like come know real deal worth watch waiting since high school see movie read rick book film making used car disappoint though shot news clips seem relevant today put current gloom doom perspective film anarchist anything goes attitude perfectly live classic punk rock concert footage made punk rock movie film inspired make another one highly show enthralling get enough watching people recidivism rate lower like intervention least like said allow dear warn ahead time episode hard watch listen reaction feel bad finally let see house dirty glory stop gasping exclaiming oh god oh god cut guy slack already giving stroke revealing secret never learned concept tact look may good show interesting impact disease people live actually little scary watch people really lead double creepy good germ serious psych help program time hoarder fan seeing running around dead brought home watch e program hoarding us peak people misunderstood illness certainly understand thinking disgusted see problem real compassion far terrible way people impossible understand still good reminder clean house feel sorry people even real certainly exploit titillation show unlike discovery counterpart without looming deadline violent removal freely admit show take sometimes little recourse nonetheless damage done via technique disturbing said show right involve trained organizational day one take days work subject episode ensure emotionally psychologically ready clean importantly begin address root source dangerous another reviewer stated recidivism rate quite low say vastly better since two alike always interesting hoarding show e season one different wrong side aspect disorder show point local stepped forced else two days clean happy buried alive money someone else money afford professional time need even fair enough show process simple linear see hoarder throw three four show beautiful new living area sometimes rest house still works know got way know stayed way full de experience one person would take entire season maybe show attempt said respect anyone would bare soul go one painful enough without audience might help someone else interesting study human nature could see anyone could fall habit trauma lost led help never easy find sending hoarder away house sped hoarding whey muscle got junk darn hard get rid making haul soon give away people serious mental show however way de hoarding well soothing really enjoy looking big screen well smaller screen comforting better funny fairly well put together despite feeling like something would turn final project video production class worth laugh weekend free show always music two year old sing easy sing along interested learn show interest child ended perfect child show super cute teach great helping love season bit creative comparison season son innocent entertainment toddler stop watching cute witty funny educational wish wonder pet done wonder two happy great toddler son show rated mainly based satisfaction good show offer much occasional little pick mostly totally fine great show cute easy learn sing along develop problem enjoying great show entertaining show much year old short time younger love animation choppy completely acceptable active year old imagination wonder funny daughter got episode kindle fire quality good save different introduction play still like daughter wonder really watching go tablet love educational though get bit repetitive cute show three classroom help various real imaginary need episode two different follow pattern easy younger follow nice age appropriate younger year old love show fighting little conflict work together towards common goal catchy get stuck head good change pace short sweet entertain yr old slightly annoying voice quality good message teamwork daughter really show like content one show great appropriate manner recommend parent seen must see magic clean cinema deliver effortless timeless romantic movie already watched worth watching yeah low budget nice plot good acting two hood barrio trying start record label evil side trying knock hustle lots street action rap music production shot film music nice wrapped tight little twist ending worth rental peace bad ass movie shield alike good acting straight video title story pretty tight well bang two bad rip murder drug leave hear radio fired somewhere pick radio surprise find really say vicinity investigate crazy hot naked movie buff l always give props brown pride regardless low budget cheesy always support dope game great full action comedy two hired decide sell dope transport pit stop car full stolen spend next kicking ass shooting anybody way merchandise good job great thanks love little clown resting top tickling swaying think aquarium favorite far colorful active lots pretty lots watch hide dart also like fake music water one bad good rural michigan girl taken evil dead much birth something twice size farm couple creature converted barn human meat locker greeting people lost meanwhile traveler warning people stay away pretty much oh yes another battle good evil one involve acting bad really michigan instead southern country good overpoweringly clever beast kept cage wooden door stick lock anything especially door worth view people enjoy bad know star norm parental guide f bomb vine rape nudity rager ash buy video rent wonderful lady good painter pick lot project downside know stayed awake painting watched morning fell asleep twice watching finally scrolled forward got finish like said good liking architectural done many believe get rather watching screen play structure good character development plot established built well climax hear deranged voice something voice terror always appealing dark side imagination definitely one scary independent year well done viper chilling mental deliciously creepy mix horror hack n slash produced best spook dear hard working tireless mental dregs insanity horror revenge enough cheese chill leave wanting door story far closed hear lots hard work energy seemingly tireless talent gone film horror fan enjoy living big love series truth dramatization sympathetic dogma ideological bias uncommonly complete wish could rate entire series instead one episode time excellent history battle atlantic interesting information submarine warfare allies move end success german u recommend anyone interested war sea interesting informative action immensely although e seen action film still watching one part world war always really segment series stuff never history class amazing several choose ways opposite direction winner history attitude said watch genuine look dark past us one ultimately decisive courage turned toward russia move cost ultimately war good straightforward account attempt conquer quite personable subject written actual share intimate missing documentary video official battle watched series supplement dry world history textbook home schooled high school student stuck curriculum provider wonderful job material life giving sobering meaning relevance seen people experienced world war longer series tested student movie great want show class lot live footage war film coverage technological period great show class really like information also good aid supplement class great strength world war series use documentary film material familiar lot least fresh worn overuse another strength series get see lightly downside tedious war watched series far every one show lots actual war gruesome also explain lot key show lots explain politics bad sex love clubbing story area recognize town worth rental reading book battle bulge time movie visualize good thank thanks young men fought freedom peace battle since left passing every day solid four series synopses many filled video time viewer great overview various good balance overall picture war much closer war ever came close bomb first example might world time leader except great conclusion fascinating series worth watching especially interested subject dry matter fact narration adequate stringing together assorted original vintage video except narration foreign language primer history supplemental video coherent history one needs read listen audio primary value video archival footage narration sometimes tell basic story crude clear get accurate complete history read book campaign bring book history life watch video find interesting boy period old enough understand terrible high cost human life adult recollection hearing would like see interesting note different present put faith inept great verbal information prior knowledge video questionable assemblage unrelated generic material relate narration would battle overall pretty good short summary battle good introduction wife lived although st ago cab driver mounted hill tops historical city able rebuild beautiful city wife told hermitage although closed movie made history realistic mind found moving experience see people endure intend watch rest series time little coverage many screw fare thee well laid video astonishing much actual video remains era worth watching see similar remain time well little bias humanity well history fan student would like father mounted infantryman army fought middle east finished war man land teamster school got little even short video well worth limited comprehensive maybe companion cover remainder war look forward middle east hope made available good book reason great war used series supplement daughter th grade history class good visualization war covered class text book covered class great job trip southern may throughout western coast many stop popular grounds tourist would love see like overly critical yes professional quality production yet interesting way good enough talking identify area best host maker film stays background feel traveling thanks lack host preaching tourism series well done concise yet complete summary world war history find accurate find far informative class really well done lots learned example exist prior war land russia finland series year great war end old footage factual dialogue politics well awful suffering well year year drawn horrible waste life noble purpose love myth family friendly show whole family enjoy son favorite show would rather watch muth cartoon entertainment also educational funny witty scientific knowledge great whole family big fan long time never get watching also missing current longer cable one show miss able view free prime account awesome blast watch really fun best part talking later random saying know tested actually excellent stuff team duct tape always great revisit one favorite knock wide range good one complication revisit episode time cop cast show interesting funny also make stuff blow fun like video bit unique c moderation somewhat seen concern tactics strategy determination japan also like footage sides together much clearer view overall bloody battle key previous tide side japan finally break stout defense ace zero fighter aloft direct bomb loaded ammo engagement form warfare pacific going huge revolutionary tactical air ship conflict good middle high youth class pretty comprehensive look battle midway good job strategy concerning battle another reviewer piece conventional wisdom fairly recently example gospel attack diversionary tactic modern analysis point different conclusion anchor northern perimeter simultaneous capture midway central pacific analysis also conventional wisdom reason dive effective carrier explosive ordinance arming film older may setting aside pretty good documentary battle midway strategy led battle comprehensive topic seen narration whole series terrible one could found narrator pronounce properly setting aside average job one great world history informative like history film good footage war accurate depth character action documentary well done informative clear without clouding little information extend film would give gave lot great information type person used genius win majority world war especially holocaust one favorite discussion would movie given incite personal life family well last even though death uncertain inferior production sure made another country show video much like college student reading exact translation without taking context syntax account wrong order must written another language made sense show capacity destroy upon helpless meeting besides field awkward basic documentary lots old video looking documentary history channel military channel look elsewhere video free prime working something else time crochet hat pattern never collection came upon searching via device much new video never seen narrator struggle people overall though well worth documental seen pretty solid would recommend remember action movie documentary best video seen battle horrible armor time video truly unbelievable camera middle horrible action scary give half review never finished watching sorry sorry sorry excellent footage history poor choice narrator constantly like computer movie footage great watched kept chief prosecutor justice trained lawyer friend supreme court later sent chief prosecutor reason chief us staff staff less movie state trial choice defense chose negative comment film short entire minus prime excellent information made series phenomenal amount detail involved war involved main one group higher pleasant educational experience film clips sometimes repeated inserted appropriately narrator must accurate everyday phonetic pronunciation geographical rather accepted usage get used bit humor history lesson far beyond text book historical footage revealing unexpected availability five narration make drowsy guess saw different film reviewer seen perfectly decent discussion holocaust took different take many quite bit material dealing post liberation nothing back one featured graphic camp footage seen seen series originally language production version voice shock never really visual exposure need see lot old black white video footage single somewhat monotonous narrator currently reading inferno series episode particular great companion piece long time short video help explain frank family would go film use first segment camp detail worth ideal min class period used min video video informative concerning holocaust aware video knowledge know never seen footage episode graphic dark realistic presentation evil third faint heart lot written nice job war winnable first part documentary watch chapter first chapter chapter save watching correct order awesome movie full hot sex lot fun watch many hot sex lot type exactly plot driven one attention story well fun doc look inside prostitution around world harsh reality faced opportunity anything due lack opportunity worth watching met convention last year talking various movie bought format thoroughly let say couple really get review though degree film biggest fan like something bit thought production value come exclusively bank also huge fan h p said would highly suggest movie atmospheric rendition colour space selling point film beyond outstanding look movie film school would call mise en scene nearly indescribable term essentially overall tone look movie audience non narrative way towards particular set barely description film grand undefined term whatever colour dark mise en scene sumptuously made scored simple without falling often cliche average horror film obvious director great love works career made wonderful attempt bring music witch house house film movie house issue colour dark lack explanation mysterious force unearthed well last minute introduction brother law character couple gave slight sense huh simply fell cliche exorcism early even though enough give movie star rating nearly rate feature highly suggest highly looking average horror movie go back looking like scream know last summer understanding h p work enjoy independent suggest feature reason director continue excellent towards work screen reverence sorely past factual documentary style style around subject good invasion scene setting worth history lesson best series seen read extensively subject several well done seen many day one condensed narration good annoying music color also allied berlin surprisingly thorough informative saw less stellar material historical accuracy easy comprehend guess previous rating came presentation certain gloss finish come expect history channel national geographic also verbal narrative excellent occasional word later looking name production group found group could easily overlook non native speaker one word thousand subject passing notice graphics historical made presentation helpful especially visual wanting complete summary production group took daunting job applause excellent work presentation yr old son th grade research paper day tremendously wife ranked episode good recommend fan series lot footage much seen narration great knock hard originally done like authentic video era series well organized one greater understanding old military pilot found history interesting flying footage good great worth seeing nothing give away since build plane show glad one wood canvas like enjoy detailed doc interesting amazing back day great documentary lot interesting footage plight u lot information short u done well could get good feeling culture history surrounding use warfare would watch film footage seen war atlantic one scene united surface instead german example buff large interest u boat war video caught eye watched many subject one new content seen found keenly interesting watch funny movie great learning part project school would recommend acting good decent plot local low cast girl figure land typical love interest honestly know expect decided rent film delight found thinking long film finished underneath veil fundamentalism regular every day people wanting world song dance without religion forced movie make want leave homeland rather life western middle eastern political climate take emotional toll reflected three lead actress beautiful daughter trying fit repressive culture despite parent past association everything fundamentalist dirty film earthy film go far given suppression society movie life three found interesting see life religious society certain time happen everywhere else world also happen behind veil good film quite fleshed magnificent portrait caught interesting gritty thoughtful compelling disturbing portrait womanhood told spirited young woman potential liberation subservience male dominated society end however future new relationship young man unclear sexuality giving last marrying family man mistress past three discover film narrative technical competence shot north director came away good sense flavor life country watched even one warren beginning second trial horrific case rottenness police spring hit deep episode good depiction went creditable job beginning look remains great documentary tell whole story worked hired major air carrier culture somewhere addition documentary go detail new regarding first officer experience new stress quantity flight experience quality opinion opportunity lost love many available vary quality diversity little something every topic highly useful classroom setting excellent show watch interested depth information regarding current issue particularly good financial fun movie load version see even picture quality well worth watching despite one sidedness anti german flavor rather v one quarter size v otherwise might allied bomber offensive thus western invasion interesting know people tunnel camera men today film provide much new information nice opportunity view soon brief biographical artist given occasionally knew goes well love song movie sorry gave name song person needs purchase know dance know find song gave star lack information name song dance song unless music ugh nice really dance look simple learn thank like bee sting tho tend skip unless healthy self prefer stick hubby apply balance self awesome selection watched excellent teaching tube decided invest start toned arms beginner detail foam roller man always felt self conscious going yoga classes always men class also get finally decided give try house great decision way teach like personal instruction living room anyway put whenever find half hour push better ever arms back chest getting much although bulky short time flexibility back rate able touch soon getting much running many knee pain tightness outer difference foam roller massage making hooked sometimes roll back times day feel much better grateful knowledge ray got hooked show first two buy last season see well first series holly best knew minute show picked episode would probably end character character go good way us show miss especially grace earl mainly show life painful heaven real pay majority us live world brought us show thank watched series worth taking look grownup take truth though would done well happy neat little episode everybody life lot darkness grace beginning dark road pedestrian great wild ride thanks catholicism different angle maybe different kind angel last season want left hanging glad fun series get hooked anything fun series bit cheese get past enjoy acting holly bomb year old daughter said cool series nice show horrible great good everyone might like victorious something watch niece really like watch comes visit usually watch together one mostly enjoy think age thing crazy say also thinking happen real life crazy often wonder teens get kick watching niece like music silly sometimes crazy enjoy show watched nickelodeon sad lot potential fun show really easy fun watch nice brain candy show chill guilty pleasure lagged every quite times quality went fine blurry annoying teen show yr old modern rich red cute dumb u like funny creative times silliness still one best ever nickelodeon sad gone musical show victorious show four within great show given big let know four limit problem network usually last lot us would least finale episode episode television series coming end get everything want unfortunately series great turnout series many people many us miss show relive show experience p music show really lively notable first volume opening volume made us want opening volume really interesting give chance experience high school drama cool weird people creativity watch sorry good clean funny right talent entertainment value high excellent book know already episode find line bought funny one decent left nickelodeon funny cheesy much better stuff show thought lot funny witty clean mind year old watching cute sat watched never know teen show going good love torii watched reluctantly watched well found entertaining fresh victorious musical element supplement light hearted humor definitely bound still silliness infectious watched far like unfortunately prime first far show great show high school talented get multiple testing love singing energy wanting sing extrovert like hope successful life beyond nick music upbeat fun easy watch love singing creativity fun school told year old two little love show car might buy kindle great show funny excellent show young teens pretty cool daughter love show another great show creator fun assortment crazy acting music well done delivery kindle think great like show funny would recommend great show watch traveling funny clean content watch sure friendship strangely appealing much anime body blowing fine actually quite interesting complete chick flick end great animation story slow progress wondering story invasion alien force one ship student girl boarding school girl boarding school one top commander invasion alien force decent character based anime back story action people interesting plot along nicely good story great thing would make star program go way yet c p able way used weight help sure keep feeling better would anyone bound breathing try program may everyone entertaining even feel good type ending watch one episode fun anime silly many anime together ridiculous fun ride much fun genre character plot development hard enjoy sad ended keep going watched review quality stream really series would watch senseless humor bad day hurt sit watch one wonderful funny anime watch make laugh lot serious goof good show wish still good show kill time good said interesting watching paint dry feel good job background story update finish need someone watch recently gotten anime searching stuff horror supernatural genre came across gem main taro junior high different would normally nothing common brought together though traumatic ability soul travel psychology major really series limbic system dream analysis exposure saw appreciate psychological jumbo thought interesting tied supernatural rather well also different brought something unique story taro really heart show help become found complaint move pace overall really series would definitely recommend anyone anime supernatural ghost hound watched tried daughter watch quit audio want demon resurrection one recently however recommend horror found instant film maker neither romero however good inspiration demon resurrection many sordid goods take look perhaps total b movie well like b excellent cool mood acting even pretty good would love version read good story line anime fun watch although one best kind general well plot could good series really demon king looking forward next tactical video game tiara leaf console long anime adaptation video game would shown tiara produced white fox known work also animation work series diamond pearl mobile suit anime series directed maiden screenplay lucky star wolf rain samurai music battle sister princess character love sou originally year ray release brand new dub video first animation art tiara would mainly fact done major series animation major anime series overall animation art production white fox actually quite solid one thing series tribe constantly move lot new episode character designer experience working adventure based series experience working anime series comic party love soul many part think fact series experienced people working series white fox trying promote name major anime production company works favor tiara company working many overall animation art well done featured p high definition anamorphic original notice compression ray series much better counterpart wonder split three four would picture quality better notice saw little look edge enhancement see overall picture quality good much better audio audio series master audio dialogue clear understandable found much better receiver set stereo voice acting well done good number talent toru known voice mustang alchemist rufus final fantasy voice melancholy providing main use surround second half series notice part dialogue crisp clear ray release new dub problem ray release believer used born speaking way great native speaker language speak accent otherwise forcing speak accent going turn well story tiara loosely based dark age took empire figured made decision voice talent speak accent unfortunately felt voice talent ready went speaking accent without one work accent liking work working unfortunately listen dub track said voice talent anime series comes veteran going get accent right used talking way long time get many major able immerse culture eventually feel comfortable speak way guessing nailing probably difficult accomplish short amount time featured special tiara clean opening animation judgment call first half tiara anime series quite enjoyable remind lot also little bit ova series bastard one thing series done well first half supporting although first episode featured good amount blood violence character driven lighthearted fun humorous enjoy series felt first half lighthearted fun second half series much serious ways different anime series become glum serious previous video comment close anime series video read anime series voice video game adaptation quite close video game animation quite solid anime production studio white fox wonderful job first major anime series ray version tiara definitely improvement counterpart still pretty much special time ray feature lossless voice acting tremendously say dub bad tell felt uncomfortable well anime series times felt talent going accent back natural way speaking much happy know ray come dub unfortunate poor go well series overall enjoy tiara actually pretty fun adventure based anime series first half becomes another kind beast becoming serious gloomy second half series part see fun humorous style watched first anything video game likely appreciate series tell many writing definitely time certain getting involved series especially battle looking adventure anime series also series bastard definitely give tiara try good far like something different first good thing like nice mixture well put together story line enigmatic beginning funny yet serious well entertaining times edgy religious blended together telling king tale even though limited two three night several could stop watching dub voice use series overall good yet finish dub version choose watched much episode wiggle room isle medieval era lived tribe lead brother sister team one day village hunt people used sacrifice revive demon king unfortunately upon awakening side instead eating clan leader rebellion divine empire much show watching found based game setting disappointment watch enamored often terrible continued interesting likable character throughout series darn fun listen get better got used speaking worst end series one best though still inconsistent fortunately light accent almost notice bit favorite part series even enough story bad story actually quite entertaining surprisingly well welsh mythology unique said great character surprisingly even grew like rest cast disposable could easily cut entirely cough elves cough show based game romance see kept minimum morgen scantly clad top rather form fitting despite obvious attachment nothing ever admit found quite weird refreshing plenty series much care cough elves cough good bad glad watched end interest welsh mythology mind bunch whiny elves recommend giving series shot make sure give dub least one episode pretty far anime set writing story great far give two one solid colors throughout animation usually big enough deal write give lower rating really particular ray watched recently thing voice acting face pronounced way consistently little annoying minor nothing would keep known beforehand think regular would fine since story hold non fine like good good story pick enjoy show one best watched far looking anime watch would recommend tiara little girl first thing streaming version second worth watching story character driven anime good depth rehash gore nudity tiara best anime series ever see definitely worth watching variety leaf designed game series knack together interesting enjoyable unlike cousin get control end however definitely enjoyable quite robust series definitely worth watching use mythical variety western cultural incredibly fun historical mythology host woven together learned lot especially mythology simply story problem way name used simply strong connotation used arbitrarily simply good fantasy classic great even honorable epic feel engrossing deep engaging downright annoying truly fun watch grow change throughout story like character far counterpart host given endearing character best anime experience ever want watch something enjoy may learn lot pretty good choice took awhile get going story take shape came together nicely still loose enjoyable series nonetheless bit tricky translation quite right overall interesting way pass time review instant video version tiara original audio overall pretty good anime series first really well done pace slow never really recover end would rate first story character development good even sometimes quite touching times felt like watching anime version lord unfortunately reaching climax rushed end fairly predictable ending would rate good great overall would give moment read first chapter princess resurrection manga ray unfortunately print knew going become one favorite indeed bloody hyper violence hilarious subversion harem anime got chance watch anime immediately nowhere nearly good source material madhouse take series still fun silly romp even back noticeable basic concept hiro monster titular princess back life condition becomes unconditional servant joining painfully stupid sister token let pander lonely strong character eventually android warrior rambunctious redheaded half breed consistently joining princess cheeky younger sister vampire strong prejudice together get various headless sea variety otherworldly show apart typical monster week though subplot routinely trying usurp position princess underworld making ruler next line become queen want take honor exception also take note position try kill order different ruler ruler like cheap gimmick show variety tidy explanation lot chaos fun character well probably depth anybody show cannot said always hotheaded always always dumb always prissy hiro always well blunt wuss might lot people expect seriously change course program happen exception likable getting along slightly better lot repeated time last roll around given hope real change anybody luckily set entertaining enough forgivable would driving force program princess resurrection keep watching want see set character square various movie respect rollicking success fast funny exciting albeit far less bloody manga always varied couple pretty strong subplot got solid recipe entertainment experience may bit sour though easy madhouse usually great studio case animation uneven fine course series serious drop quality lot fight feel stilted expect stare incredibly static times great boon happening rarely boring never notice rather limited animation unless paying close attention compounding animation unfortunately lack punch source material mainly due fact sexuality lot blood cut favor making tween friendly program think overall experience feel part made show good throwback horror ludicrous violence madhouse obviously trying reach audience program something made clear watering part show compelling despite fabulous voice acting major include air gear rave master perpetually calm cynical ana strawberry clever add spice show adorable ai ideal cast catchy score two particularly good opening ending animation princess resurrection certainly show market complex animation one dimensional literally manga however fun little show look past glaring find laughing good time despite lack depth still fun watch subplot position princess heart beating even sketchy filler show enjoyable especially fan horror lot worse episode series fun flawed show one comes pretty strong recommendation plot c voice acting b voice acting en n b overall b pretty good found prime originally thinking another version really great show see complete really wish would offer series originally video great take intense burning fun way like like dancing hate treadmill get shape video body get fit still remain womanly would recommend reason gave floor difficult find filling time easier version great one little everything minute much little like good length cooling soon heart rate go bench bench little awkward one modeling without one big problem often badly definitely put music watched couple times sorry really like show season one terrific bad make however worth paying almost watch season price would better something else update glad show available season thank great program happy one year favorite watch amy hilarious precocious little girl even find laughing cartoon great cartoon young old love continue watch keep well made short film vein captivity saw real wince well suspense considering low quality made like independent market good see someone right way sadistic guy real charmer ladies keep previous bound dark room basement new slowly secret life violent satisfying conclusion final scene twist would great see made full length feature tight lean wasted worth like fun hear different presentation stunt men behind enjoyable trivia little dry interesting none less definite watch anyone interested ancient art cultural recommend lot watching video hilarious little polished act part funny cute little anime part series episode available would given star rest series could rented informative thought provoking documentary ever ask hard politics religion logistics combat sort reality situation looking big picture interesting entertaining heart warming seeing young like little best cute loud bright use night start year old show one regular find adorable show year old love written collins way wrote hunger quality show little three year old favorite show one word use describe would gentle simple childlike fun sweet funny good good friend show need violence adult plot entertain good show grandson ordered accident one day found like watch year old grandson huge fan sometimes hard find show without heavy scary little bear sweet sometimes funny overall mellow often watch nap time year old daughter watch time gave simply probably sat watched complete episode watched like theme music pleasant whole show relatively slow pace flashing back forth different crazy quickly also like little girl friend bear drawn like little girl slightly rounded tummy swimsuit little girl arms like skinny model girl size overall feel like among pleasant positive let daughter watch watch entertaining high energy good choice need something little calm watch near bedtime grumpy think show adorable month old daughter watched bit quickly lost interest maybe try bit older great animation excellent moral flavor tired nonsense dribble within new era would much rather watch something day four year old daughter sweet charming seeking entertainment toddler little bear right choice refreshing see program either silly overtly educational little bear wholesome paced show young protagonist surrounded love acceptance world full imagination quirky always backdrop strong relationship family doesnt love show love adult even squirmy son great animation nice sweet show kindle watch much gave us something look forward next day color story attention come house watch little bear great show overpowering graphics gentle story excellent skip magic sea instead leaves perfectly viewable small based clothing furniture show set innocent time period early live simpler era wholesome traditional family none modern day great choice two tired rest bit child watching little bear favorite part series follow book series definitely worth watching good insight bottled water industry make difference little effort movie attention big industry made bottled water nearly ubiquitous accessory huge sad surprising heavy handed obtain water ways negatively affect less effective presentation negative environmental effects living close produce making likely unhealthy water probably small percentage output movie insatiable desire bottled water myth health bottled water powerful documentary want buy bottled water movie informational surprising money take much away public still get taxed top sad informational research good bias little emotional momentum shifting point point water comes water mining plastic bottling plastic whole environmental issue ambitious short film however good eye opening shocker young first year college clue going consumer driven world live lively class discussion definitely learned lot water bottling business involvement people affected potential health however documentary left feeling preference bottled water try tell us reason love bottled water convenient toss bottle away however despite made elsewhere bottled water better tap water watching movie feel awake fire pay attention water comes handle precious gift thank helping us see good information need know would better analysis city water added water supply video eye company would never think would pull one company many many informative video startling look major water bottling industry great movie could used scholastic show math claim water sold exponentially higher price gas townsfolk interview clips ran little slow add new information overall solid enlightening film everyone see watching think twice bottled water movie also covered safety plastic thought provoking movie everyone watch one many bought favorite school hand convinced sure date one section basically whole bunch case find credible rest though fantastic really mind bottled water industry bought go mug right watched plan everywhere immediately attitude use bottled water often film immediate effect behavior work environmental non profit market revealing story people need see movie good informative review effects water impose upon local disregard land health clever marketing documentary evidence provide rigorously evidence often looking refute however common sense regardless banter documentary main point driven home last half view matter else documentary make think venture say activity us movie good documentary super size drinking bottled water however movie ran like whole time audio fine made right happy hey title comment frank pretty well persona time else need say good would given kind letdown see like story acting good gave good insight human nature people change unpleasant life movie one best short documentary making interesting also recommend book making tech lover amazed hardware use clever artistic making film able play perfection hardware strapped around amazing clearly see new breed cast born imagine difficulty character scene full hi tech stuff around without scenery tech every walk life exception scene good overview film get good understanding action part movie thought going see whole movie understand concept may like movie vary creative interesting get point view behind look movie missing something hope see feel movie long enough add dream state cool see movie made movie much plan purchase fun look film free test viability video classroom player done amazing work movie seen film tice never get tired watching seeing technology behind film interesting watching film precipitated number one l e another film starring debut curious see two worked together different two read another review film bleak fun production fan somber hearted outlook found girl dragon tattoo addition discovery cherubic l e fairly established character actor important certainly vanity slave prisoner getting beat along recent amateur acting taking series supposed method classes instructor emphasize one fellow draw audience attention made realize absurd arbitrary focus regard fit within human hierarchy read interview much sentiment order truly authentic role possible one cannot part wage campaign love admiration validation creatively personally revelation viewer artist made remember mother always dragged fair watch foreign made realize importance consuming fed coming little film director writer director also fan l e cox said much interview intent reunite see homage cuesta film one cox another parking lot shiny classic car beyond chemistry different two sense equal footing time around could tell really getting fun watch work cox role bombastic also making laugh loud several times body strangely awkward way part feel felt like natural decision one actor would let make obviously little simple minded whose outsider status came inability internally censor whatever crass impulse arose took everything said quite literally able read non verbal indirect social leading grow bitter one point film evocation type accomplishment goes unnoticed still considerable one intelligent insightful actor comes also note among bar jaded men young old love drinking common thought dialogue realistic believable actress love interest seem many facial pull though anything line overly distracted acting role contribution read knew main plot coming able appreciate use well close circle maybe made less emotionally sad know know away feeling good feeling watched something honest sweet wise film ending left us somewhat many unanswered taste wife gritty realistic quality made enjoyable watch found wanting slap someone half time good heart k dear anyone ever make either lifetime hallmark original movie would like sit theater somewhere rent one afford watch k movie good heart dim house taking entire damn time make inspirational emotionally manipulative movie everything ilk trying twenty sole exception experience one movie guy actually direct video miserably every single time last time cox got together front camera result cuesta phenomenal film l e phenomenal small part chemistry two k n albino two eight later gosling project good decision young homeless man penchant suicide cox bar owner similar penchant heart hospital time despite shine boy taking training bartender two different gruff cynicism wide eyed wonder everything going along swimmingly young lost ex stewardess swim one rainy night instantly big fan cue tension saying movie yes see ending coming mile away yes romance subplot short shrift times one k go resolution la last kind might silenced lot movie much pleasure watching movie comes cox chemistry well always little least every movie entire first half almost save key set second half movie sperm donation scene hysterical actual human realize seeing character archetype true cox character two one another making actual human much better acting job lot people giving credit better remember relationship l e everything else secondary though many secondary great deal fun subplot duck long standing rivalry two bar saw number different many thought good heart source material one better obvious barfly bit coming home thrown put great deal mind inside jazz maybe even law made fun experience much better probably one twenty thousand theatrically grab copy remedy record one inspirational film actually worked directed someone making winner story interesting often like explore know movie good opinion although ending total surprise still sure end way good believable favorite anything western new western junk old old western bit production value quick point information included would useful st unit good quick overview useful hiker practice really make sense wish saw movie first bought many ago recommend interested see film actually unit almost exact model display great acting good darn ever seen made life look terrific think would like like interesting series captivating story line frequently angst way character still watching five go get depressing uplifting least good acting though episode opening freaky death scene teller calling range lodged public psyche five show reason selling episode call great episode incompleteness informative interesting show insight many actually made show many enjoy watching still fascinating give great look great fan series show already class room elementary school days always hobby steam made great example boot folding bike always interesting watch every episode better waiting watch available expect show watch three year old attention learn little something time good good video overall good video overall good video overall good video overall good video overall v v good video overall good video overall want say show one one favorite always laugh really like series right length quick laugh remember ago still funny plus glad find show funny true life nice watch something thats reality show bad whoever whatever want fan love spoof high school show originally love well spoof close truth comfort another season fun show realize much show middle season dry wit still play true later wish air today like show video good mountain first best video keep watching get better unlike real different would nice know little going overall good movie edit issue resolved issue still use kindle yo show great importantly daughter watch kindle fire three bring car trip maddening fact wait hold w customer service could get resolution credit time weekend worth figured would write review move last time try video kindle maybe return everyone yo really nice teach different baby incorporate music sports art lot show great opinion teach little son although good first two recommend first two gotten little weird reason star wish musical like first baby much still love took one star really wish continued dance segment favorite part season bad good first though love first four best someone grew probably generation hip hop right around time entering golden era appreciate message documentary hip hop inspire people around world documentary story eminently positive use hip hop basis political activism refuge harshness life poor oppressed typically people color shame documentary recently distributed source material almost old point found bit sad rapper learned lot rap conversely know little rap little history culture watched wife teacher felt doc well done beginning feel identify forgot documentary would recommend kind become convert top chef original top chef people fascinating watch much thought rick hilarious watch see mean favorite part show getting know little bit chef come show reality based get hear well well vocabulary comes way whether passion humor intimacy sometimes great insight really touched know people feel honor still really end glad charity went awesome giving show edit gave great respect opinion lower saying cheering huge fan gushing wonderful top finalist chef friend another season show supposed unbiased critic cheerily trying influence friend wonderful cooking jokingly telling critic friend since past apprentice help good review shady humorous maybe want heart great gal always smiling face warm less non cooking integrity say incredible character awe end show overall great documentary tired speculate tie together worth work best research relevant links found trying find result movie left us hanging note found clear source coherently movie one links however chose offer insight past future hopi situation yes video nation green planet coal green planet main asp main asp summary black mesa project forget film made cute chubby girl wearing stretchy dress two sizes small strapped electric chair course head must shaved execution girl flick stoned like watching cute getting shaved good tongue cheek fun lot low budget one blood bound dim lighting uneven acting common vampire minimal story coherent emotional depth real tension plot well worth kind sorry available oh graphic movie accurate portrayal scene movie unlike graphic vampire see get one somewhat gory vampire sex scene well done brief since retired engineer appreciate big overcome achieve end product good series technically minded people music actual concert f complaint video quality could better recommend act going time laughing young young heart good laugh would love watch many good need one break good job priming crowd j imitation uncle funny best say funny laughing mostly everyone pretty funny particular skit taste overall funny although seen still funny need get laugh try video never learn lucky chosen show failing rebuilt days crew honestly seem like deserve clearly know run well would need help everything never learn either guess discovery channel father son island example obviously since show club locale closed big surprise know received huge still know main character constant yelling crew pretty funny new york thick really try help business luck hopefully business succeed show remodel blarney stone original owner great bar across street twin attack fed first cleanup run money crew designer turned bar great location upscale chic bistro transformation great feel good story love since available next best thing love show instant hit adorable hope spelt correctly warrior woman inspiration husband hilarious love five funny new addiction first season decided purchase wait second season bought add never ending reality collection love however felt way short like pay know expect ten found moving head side side spoke would raise like oh din thought first understand genuine people watch wonder even though one bad person like would definitely watch eye opening film say least mainly covered misogyny rap music covered interesting would nice good rap profanity violence misogyny narcissism video highly great video really music industry specifically hip hop really dialogue mixed really huge imbalance men excellent discussion piece wish men able understand hip hop community would take seriously huge problem watch fun movie done sexual content feel good movie wife ritual chi fi eat food watch star fi whatever streaming service think best worst fi riff well watched warrior lost world seeing k version hit almost every single joke sol crew funny obviously episode good though certainly final sacrifice good long time fan k ever since ten dad movie like almost like direct rip knight rider mad recent time release movie bad bad funny dad mike also really throughout film host movie also hilarious episode k worth dont buy movie gang k reason tradition warren miller awesome none less feeling summer heat cool get watch born film bad even film board release acting stiff forced plot childish staging paper entire film optimal palette one never ending come fast replay bot dialogue like series may become new favorite otherwise hate movie wonder ever got past stage review kindergarten school funny love episode exception one second far werewolf many watch make worst movie much entertaining love plot excellent fodder k gang movie must made tax shelter anyone make movie bad purpose wood great k film slow get ways terribly good truly awful movie made incredibly watchable entertaining k crew best like irreverent maybe sometimes juvenile behavior series well worth also exposed worst ever made complete laugher movie terrible commentary worse together worth afternoon watch nap enjoy doubt crew new life old case bad old science fiction eye crew k please humor galore remember watching child afternoon movie matinee remember scary lot child video great shape worth view trip memory lane prime low budget really make one great really like grease paint around racoon effect infected acting cigarette smoke part season important remember growing k however many great one movie pretty enjoyable climax first saw movie brought back lot great great old b movie bad guess one first great show still learning make funny one good thing one girl psychic pretty sure movie swiss family pretty cool always laugh watching old k wish making great concept enjoy k even stellar commentary rescue real movie would watch savage pleasure bit laid back one get wrong lots laughable also fair amount silence crew saw crawling eye really scary saw eye resist k version disappointed much movie poke fun take full advantage still beginning movie instill creepy feeling felt ago classic humor smirking way really good definitely one collect k outing really good reasonably credible movie bounce crawling eye b picture certainly one took reasonably seriously fun zombie nightmare yet one example cinematic agony horribly made terribly written dire around plot group juvenile led insufferably annoying garret clone run muscle bound van double w van problem local voodoo practitioner dead sending universe hideously dull rampage vengeful slaughter yep gift ultra mike fun making best otherwise abysmal disaster one video toxic best left w giant spider invasion scale though one could attempt watch non k version really worth risk p watch batman west perhaps bombastic role cop w funny times one like enjoy one introduce someone never seen k love k wit zombie nightmare good hey original bat man good fun thought quite funny pretty sad movie saw mystery science make worth watching miss joe cocker imitation near end one better believe west actually starred made worth good didnt get finish finish later going comedy watch knowing pick run across mystery science theater video know get good laugh chuckle sure spot goofy zombie movie mystery provide missing movie otherwise would suck love k movie terrible watch humor crow interaction movie awesome well whole cast show great fun whole family movie thought two without servo baby batman bad cop thank god make movie tolerable many times west goof ball thing like certainly like k show within show within movie format like review different episode order grade movie mediocre movie mediocre welk singer trying start career dealing violent thug past know typical stuff make top find true love really care thanks bad singing ridiculous story line course bad acting host opening invention hilarious pretty funny well really excellent give credit constant overall movie strange enough amusing constant top notch constant make one good k episode short old general hospital episode special note pay close attention scene film phrase kept always said phrase watched episode note originally posted review gave four enjoyable hour rare treat grown since performance detract fact great comedic mind deserving support give full production value set awful really stopped watching quite bit yeah movie awful k hilarious even think plot right sure one hysterical movie much would expect well worth informative interesting many want learn freaky show classic humor good show worth rental add like yuck classic episode k watch seriously recommend holiday movie binge list devil devil hard figure needs said perfect material riff one holiday pia never better bad costume designer wrong k offering truly horrible movie ever made sol crew must see long forgotten saw prime listing mystery science really watching movie trust think many recent thrown front favorite quite really funny one however pretty good partly course never seen foreign film good time must say k making fun movie watching made movie would movie ever seen fact watching might great one famous crew actually funny ongoing feud devil constantly trying turn bad yr old daughter good time watching laughing making fun wasnt best theses id still watch alternative holiday special classic one strange movie wonder ever got made mike tear apart like hungry dogs dinner table good film rare perspective however imperfect without enormous lawlessness illegal must endure passage film probably think moving illuminating piece art educational scenery would nice story interesting like movie celebrated life native life local history thought could information given however briefly future great watched learn overall five given small production story built seemingly fine gentleman like future innovative show good format well well written thought provoking good cast always great see written word come life three leave wanting favorite death definitely surprise ending keep good work author kept woman teacher many think movie good one one basketball really move trick watch good news tired yet like happy could man teacher ask low low budget horror film w group birthday party sit chat anything actually bad conversation semi interesting amusing acting far better something brit advantage area casual dialogue believable enough well group get board increasingly odd transpire subtle supernatural creeper slowly great job raising filled w demonic paranormal dread special effects quality adequate yes ending abrupt rather ambiguous still nice stick w might enjoy acting bad good creepy times bit drawn repetitive especially blame game routine would recommend movie pure documentary presentation show pretty interesting acting good gave normally watch informative yet interested drama series rather spelling outright interesting although much narrator much great explain science behind crime interesting sense justice see goes prove matter hard try always leave something behind crime pretty good show really extreme regular air informative seen extreme another side definitely less considering child lived close community distressful event good get set nine similar screen version least dance much said preview except especially prison dance song ensemble scene probably like free clip little reason watch nine delight rob turned unconventional stage musical sensitive visually beautiful film day lewis always incredible vulnerable heartbreaking long suffering wife muse add sophia belting lusty ensemble cast unique story come alive well worth watching short clip showing high behind taste movie long ad movie questionable show pseudoscientific look note warrior great fun watch various hack slash shoot across serious history buff show showcase quality match could use variety match aftershock year old grandson stayed interested movie throughout story little different remember still animation like good enough year old watched movie tonight like interesting pick prime animation coloring movie dark also sometimes quiet said turn volume hear clearly several times much overall concept movie good use shampoo villain hair act antenna hear see citizen mind control assigned worker tell via main character conspiracy searcher plot daughter villain association together plan foil plan blowing building mind control accomplished plot leaves desired daughter charge corporation plan along magic actual animated sometimes seem like style era show assume technology get better meaning natural future technique atmosphere gritty palette usual theme evil corporate greed intrigue loss individuality roger empty unfulfilling life working cold corporate conglomerate come home loveless relationship life change voice inside head thrust middle huge government conspiracy beautiful stranger help regain control mind body cutting edge animated feature place dreary society vapid color palette oppressive social setting reminiscent nightmare found metropolis brainwash paranoia government control laid intelligent script brought life ground breaking computer animation unlike anything ever seen roger character frighteningly realistic yet extremely time together impressive list voice vincent lewis udo kier incredible visual experience finally winning numerous film carl like horror originality otherwise nice take singularity oh must big business always bad guy say n production flown completely radar despite fascinating innovative animation pretty basic science fiction came upon searching vincent availability story get stream purchase copy yet film north paramount hopefully last piece information true might garner film exposure plot pretty standard fi fare story place world running oil underground connected one large underground tunnel roger vincent lugubrious call center worker paranoid hearing voice belonging head soon turn roger anna paranoia growing seeing model whose face bottle dandruff shampoo roger woman name voiced lewis involvement entangled conspiracy corporation overlord nightmarishly voiced udo kier mind control paranoia technology world colors standard fi stuff flavor story intriguing slow moving patience viewer ready invest film steer clear times snail pace even tedious always remains fascinating behold animation take away watching film accessible certain amount depth actual story well animation done completely manipulation still people animated adobe effects may give impression animation cheap experience like animation stunning innovative great atmosphere colors making visual experience potential become cult fi classic k dick perhaps even lynch help film looking computer let assure style realistic motion capture stuff fun upcoming film slightly demented style one voice work perfect providing story taking place two main obviously surprisingly tender sensitive vocal performance lewis perfect amount intrigue kier meanwhile absolutely frightening voice work subtle theatrics like everything film appropriate gloomy tone animated tale mature occasional moment adult content although nothing graphic cold film strong emotional disconnect make astounding impression stay simply terrific well masterpiece picked obscurity exposed people impressive achievement grade b unique form animation combined totalitarian state dark brooding tale total mind world concept close sublime yet interesting movie outstanding animation bordering disturbing reality film everything non film impossible turn away never seen animation anything like found could take visual appearance people way move fascinating story strange future grim evil seek total domination mind control give one mind blowing good watch think daily grind hoe world become true light fascinating definitely worth dollar rental part brainless fun amazement craziness wild wonderful whites also intelligent commentary economic isolation exploitation check different film used seeing small personal quirky funny sometimes quite touching young man excuse driving uncle ancient chevy truck across desert way get away continue father hair oil business course along way host life love poverty man fun see familiar story different cultural context still familiar story times familiar also delicate blend humor reality quite work dangerous cutely complex wrapped important social touched still beautifully well enjoyable human movie also world wide power film truck old serve hero quite great film charming well made heart felt one well worth catching surprisingly good acting stereotypical movie really pertinent today reading synopsis sure would worth watching however plot well acting good mind one find humor life young man reincarnation revolutionary might cup tea something watch definitely watch jay train dragon league tropic thunder high school student barking mad consternation exasperated reincarnation notorious communist leader revolution first attempt summer job abysmally organize labor union father business activism enough trouble school attempt punish condemn gasp public school next year high school undaunted ahead trying create student union real union complete faculty course main challenge apathy given today economic climate anti business anti actually spattering applause international film festival audience fun see comedy instead youthful psyche groping serious get regular ray even seeing half film air canada flight back knew best comedy one best film industry come offer even little stranger us counterpart film everything great comedy smart sharp satire perspective youth get witness lot deal communism solidarity comic format young people splendid may prove controversial conservative let alone even multiple f one use c word appreciate politics current surrounding life schooling every particular cliche bin exception great potential acting pretty good jay often known corny influx dream falling baby culture youth cross speech ending humour give bit pseudo baron feel film slight occur romance subplot loss momentum toward middle early even regarding speak otherwise let discourage seeing film far better intelligent deal every see movie really common sense rationality ways alone worth look knew nothing charmingly titled immaculate conception little really title investigation slacker comedy layered supposedly deep meaning eccentric film probably many good satire food industry stoner mentality giving birth speak riotous chaotic film car crash appeal simply look away know may sound like dubious praise melange crazy really description wary film probably purposefully vague description film best let unexpected catch unaware motley crew havoc overnight business complex get involved experimental research lab building ingestion said chemical reaction eat causing heat simulate home baked elicit know case science gone awry unpleasant medical side effect comic joke ridiculous disturbing disgusting pitch perfect never able erase brain saying film flawless fact reach meaning within extended bit flat visual flair top commitment unique storytelling picture big definitely talent watch refine narrative approach look forward next project traditionalist may well hate movie gross chaotic face enjoy treading away path film certainly provide antithesis latest romantic comedy originality fearlessness take walk wild side entertaining independent movie contemporary underclass need survive pay comes group social whose job clean night pride getting job done quickly without ever seen anyone working course everything find garbage value interest picked one imagine glory discover amazing thrown garbage local product research company something special make one trip much excitement gone split second always effects long male group start strange turn guess new type life form moment sure film big food mass produce mass consumption movie meditation sexuality spirituality place society certain type people experience profoundly unique set make special become way future people like anyone else outside social circle understanding dark comedy contemporary world know movie fit wide range typically genre year old mother four watched film teenage daughter birthday admit really movie help drawn film mostly crudely funny sweet assortment although little farfetched incredibly entertaining lost rapid music amazing visual effects afterwards sat said wow good movie believe rare thing days agree anything entertaining funny movie much along bend like movie like one funny hell story good example people learn make nice dang touchy people frank used say long cause murder really movie funny charming main character unlikely clumsy hero ever watched film worth watching even though less satisfying end mother away cleaning house adopted better born descent enough trouble dad past away ago son marrying step daughter radical imam wife despite numerous born rodeo come heritage know culture movie nee learning shrug properly dream nightmare sequence worth price admission movie comedy hint interesting dynamics lot lot comedy pass familiar involved e van court great movie see yes think mixture python woody story average accidentally born given adoption birth father dying rest home become sufficiently meet dad create cosmic family always worse son marry step daughter radical cleric lots funny nicely enjoy ask film deliver broad humor well done small independent film know offend anyone offend gave film like quirky humour also appeal audience fantastic one main cast bit cheesy ending imagine tough script wrap great work round situation dialogue based comedy quick get joke get sharp something department would like politically incorrect might like especially somehow related whole situation long take criticism well main character extremely scene speech affair bar think riot however get little preachy towards end kind took little away comical aspect whole thing true identity radical throw kind goofy otherwise fun movie story line somewhat plausible based humor funny grump language level profanity detraction f could stripped movie would cute film appropriate family movie serious approachable way hopefully see genre better saw abroad like made along humor though message respect tolerance still important difficult understand glad instant play title movie rental site subscribe quite sure expect title like infidel man dressed attire eating bagel well pleasantly movie fun two different irreverent funny manner comedian moderate may fully observant true believer pride family wife son young daughter mother death secret light adopted birth name revelation predictably great confusion reveal secret wife close given strife general climate distrust reconcile heritage identity fortunately help initially men almost constantly fighting background turns desperation truly funny teaching shrug say rite passage bar may funny also sense poignancy getting touch inner meet dying dad nursing home amidst also problem handle son impending marriage step daughter radical cleric scene cleric comes house check family one film bear think happen secret found acting amazing able credibly convey comedic character plight well poignant portrayal well done though movie poke fun balanced portrayal supporting cast equally brilliant result farcical comedy bad might think new prospective people descent need follow people tell comedy let shape approach documentary sensitivity find would hard watch involved show zest hard living people watch divided either hilarious often showcase mental illness turn utter disgrace choose live watched documentary times coming someone never one movie month time feel odd respect family repeatedly law life addiction induced misery rebellious also like television spectacle want rub seeing dancing outlaw video early think anything could top right video entertaining say least certainly dancing outlaw times laughing butt times almost cry whites gone definitely worth watch rate film exploitation family thankful simply year life wild wonderful whites west also cool interview hank worth also film little hope little helpful decision making fascinating look white family west hard watch time interesting wild crazy bunch wonderful sure perhaps sense like train wreak white trailer trash core common watching repulsion amusement sadness way lead even say way way say play system chilling hard hard world good watch self pity life turning one look bunch realize could much worse although disturbing see people live collect cuckoo informative film story compelling loathsome hard enjoy watching many child neglect drug use attention honestly movie completely could believe people live sad hilarious outrageous white family feed everything thrown taken away family alcohol mention people around area love law enforcement abhor definitely worth watch see crazy insane one family get still like way live although sure people hate see people state acting like think crazy funny film find movie completely amusing even little sad select look forward laughing maybe even getting little enjoy documentary really made think hard one said like whites product outside people coming west people coal profit much like used colonialism imperialism corrupt young death certain produced group people future nothing live might well live hard never worry sometimes later see family product exploitation sad family huge fan dancing outlaw since saw college ago excited watch follow documentary watched felt full range sadness hatred anger outrage watched pain kirk son go away thought young son cry wife crying think ever seen much pent rage anger pain family saw live area recently thing movie live glimpse saw mind gone nothing world remember anything night left heart broken still trying figure white taken advantage trying make best situation matter decide movie one emotional powerful look family never get see simply put stop watching start laughing think oh laughing people times watching feel sorry whites sudden thinking oh hell yeah great description exactly seen product timely great shape satisfied find pretty funny either stoned drunk time class white trash great got see bought gift seeing several times love could better movie kind like see car accident help want look look family appalling tragic funny scary sometimes riveting oddly enough kind feel good story feel good family watching film matter family match whites chapman born county west area see movie see west coal actually lived way said washed stone although grown different world surely see white family kind life said justice left people weak get weeded naturally well guess maybe right documentary enlightened people live wild crazy like business believe government get coal mines make way documentary film well done content sad commentary family horrid legacy handed back bad least one person family could risen born wife born away two old scary part know people like even scary wife movie family paternal grandmother side name white may actually related menagerie criminal worth watching see rest us live normal productive comes redistribution assets governmental sure helping deserving feeling lot like bunch ne er exciting thing ever watch somewhat interesting basically look family culture may quite different live opposite big city upper class family small town white trash probably much maybe movie real people necessarily community sort like backwoods something watch lot pride drug usage plenty one would call nonsense view particular family music always present neck video audio acceptable sure interesting look extended family robbing drug dealing working system whatever population west hear tell sixteen last whites one notable scoop documentary film crew white family county around one year story anyone willing take time watch first angry definition white trash rough bunch drug selling killing fighting adultery pretty much everything else want distance many early age jail frequently part resume whatever behavior put first place might well end world hard time running one white hospital room snorting drug another immediately giving birth something wrong child hospital keep child couple days observation next thing know child becomes ward state needs go child back meet various family local law like one made think attitude history west coal one uncaring ever every family west experienced death mines sense hopelessness futility result adopted particular attitude result true f attitude defiance people sad result bad deal pull like behind never ending chain well worth time watch anyone interested really sad see documentary true wild bunch white family west alternately jaw dropping hilarious heartbreaking whites fame generation ago one family member famous mountain dancer fairly young man tried follow led well film follow surviving family period year west coal mining town rough tough take crap anyone drink smoke take swear shoot least one bunch always jail amazing watch wanton self destruction people profess love life love mother one particular heartbreaking moment woman losing custody born addicted family surface heartless cruel incredibly crude obvious care ways incredibly naive life overall fascinating look one family dysfunction really want true sad like train wreck take got present great condition watched much family ticked interesting documentary watch movie time wish feel better entertainment way taken seriously neither pretty frightening especially since able reproduce dancing good however fact reduce seriousness commit though one seen lot insight culture mountain people especially crazy white family truly hilarious sad story wild family fear respect bad world come coal north east pa beat system thinking video like train wreck turn away truly wonder since documentary first documentary white dancing outlaw popular living near area aware white family sequel made whites county anxious see definitely funny also sad see family violent drug filled existence random thought cleaning act totally good documentary class people seem living unproductive personally destructive manner possible documentary ride filled laughter disgust anger sadness personally west angry think many people always think many people rural like got lucky personally become offended people like get represent fine state public said work watching still butt burden general society untold worth independent people bring jackass made movie like lining get satisfaction helping entertaining movie doubt one kind buy help remember life bad truly sad people living sad existence owe buy dancing outlaw buy watch first watch movie wont sorry fascinating film much shocking disgusting amusing sad know much acting whites camera film authentic never hold anything back purchase documentary like bad car wreck want look away cant stop looking ever justification forced sterilization best thing anyone could done stop people breeding despite total lack education repeated law breaking supporting people doesnt appear anything positive offer society thing raising repeat cycle ignorance poverty drug abuse would seem like local could something total disregard law thank local disability attorney fostering say least know good thing bad thing make documentary people whose behavior ridiculous probably think nothing wrong way life hand rest world something disgusted truly fascinating documentary equally appalling appealing white family ran gamut pity compassion disgust anger often ended back compassion dirt poor fairly uneducated people watching film think white family actually system much comes social security think certifiably crazy however certainly drug like everyone else although feel compassion kirk lost baby child protective relieved state took baby clearly quite unfit mother feel terribly sorry little boy stay state west would end taking son away watching behavior film felt bad matriarch white clan obviously good woman part obvious lot love family turned band shame able make honest living dancing found fascinating watch people look documentary wild wonderful whites west hysterically funny portrait true outlaw family indeed friend thought watching fiction third way picture also contingent see sad document times glorification corrupt critique celebrity modern era truth hard amused outrageous largely illegal notorious clan sociological treatise whites similar conflicting much way infamous documentary grey many ago grey former tie presidency whose life dependent mess much feel bad new found attention almost guileless innocence alternately heartbreaking hysterical never gotten bead exactly scenario whites similarly camera ready willing let bravado bad represent every respect whites extended family back west probably smart enough gotten title patriarch fame dancer legacy fell son two sons another away local legend dancing outlaw dubious celebrity whose song hank big rich among documentary sister front center rest clan supporting familial tale drug use infidelity brawling random violence even face shooting added flavor bleak portrait sure whites embrace worst mug comedic affect reputation legacy people acting fool certainly nothing new entertainment wild wonderful whites west underlying hopelessness grounds real life horror show see next generation bred life really sad funny touching global economic government education legal many societal white phenomenon aside one brother away white family seem content lot life one one step change unless forced law documentary thus becomes fascinating look world possible type people embrace life outside law celebrity culture reward bad behavior funny disturbing whites make think good bad real funny stuff people people exist know going funny produced done would recommend video anyone interested culture mountain people west sugar coat hard life people endure southern people particularly brought hard times able relate nonsense video hilarious insane depressing hard time understanding lot people think might due level intoxication maybe wonderful look world family almost come different time fun funny heartbreaking time would watch whites lived carefree life impact everyone around sad story end son movie apparently thing good starting discussion social may disturbing sure movie unless little fringe complaint three least could whites around instead one type would party whites second truly last outlaw family vote always go underdog case exception wow realize rough family really broke heart raising like title review nothing title review like documentary something whatever reason guess admit much even wow watch seeing whites act damn fool hilarious seeing born raised west returned university living yet meet anyone quite whites matter fact people drew back kindness compassion people make wonderful place raise along low crime rate beautiful landscape rural remind honest family live land commercialism define treat one another immensely outside west enamored media state wrong turn greenbrier county land fact exquisite hidden treasure search greenbrier hotel small county find true representation reality doubt much different family reality series also know across country many people education abuse system would easy bait exploit create socially awkward mess tapping shock factor front camera may ruin may gain notoriety wealth admit entertaining however took face value documentary people isolated rest modern society disability evolve taught familiar minus grew west surrounded people worked hard find work successfully depressed mountain region always although always people good whites show pride authority careless loose drug regard environment read away still think family help feel heavy heart hope find happiness future study documentary doubt list sad commentary society blah blah blah redemption music brilliant wisdom whites community police certainly anthropological experience documentary family whites live west world particular hard believe us heartbreaking see crime lack formal education led difficult life interesting see country mid white clan county west gaining national notoriety documentary patriarch ray ray white former coal miner ability mountain dancer ray taught art sons mark poney ray mark dying violently poney moving away continue family tradition mountain dancer eventually subject documentary dancing outlaw widespread fame almost outrageous gasoline threatening kill wife sloppy dancing talent third documentary family wild wonderful whites west document also mother grand bunch ray white gifted dancer also gifted milking system upon leaving coal mines felt ray devoted rest life perfecting craft dancer every loophole caveat social security order funnel money crazy since young exception poney none ray employed dependent upon government assistance one would expect widespread alcohol substance abuse criminality poverty broken violent premature sense entitlement dependency one generation next whites notorious county violent criminally prone documentary various either leaving prison bad reputation well although featured heavily real sue bob niece kirk describe biggest whites big brash boisterous woman life family sue bob real looker younger days hard times hard living taken terrible toll appearance despite claim kirk drug addicted mess newly born daughter child course snorting maternity ward exactly help case fit mother also meet recently prison daughter seeking husband married drugstore poe sue bob year old son county lock kill aunt shooting never ending litany welfare state dependency dysfunction birthday party mother grown smoke weed snort front mother young son threatening kill former another mother grown son talking love another party family snorting dirty bar toilet tank sole bright spot entire sordid mess brief scene poney family getting trouble law young man poney left west family works painter home express gratitude father decision leave county since avoid fate deadbeat baggage family name back poney couple also saw nothing county except poverty despair welfare system jail documentary probably intention making conservative morality tale story whites comes across family living dole miserable live sad ignorant aimless absolutely douse alcohol pass time provide horrible probably repeat fame talent dancer slightly despair county indication teach art younger generation whites completely poney proudly work working legitimate job bring stability joy hope better life ever example government dependency whites county west four whites welfare ridden certainly entertaining documentary well done probably thought telling story modern day depending government assistance existence exact opposite rebelliousness sadly whites made state even realize thought everyone west bunch uneducated ill mannered unsophisticated right well really family whites movie much even imagine people live enjoy one pretentious type film ready wild wonderful experience film people one dont know whether laugh cry really entertaining think movie dancing outlaw white family almost accidentally tuned movie one satellite last night sat gaping open mouthed amazement wonder old python sketch showing disgusting family revolting pink big big difference whites film reality unrehearsed dramatic written enamored precisely real find odd people particularly engaging normal th century whites far normal get ward june cleaver whites male worked coal mines doubt adversely affected exploitative nature situation education else well course drinking general lawlessness become endemic perhaps necessary cope bleakness hopelessness life see sad result bad mistreatment hard hard witness guessing patronize work club seem men involved responsible hanging around coarse violent cunning alcoholic defiant law totally convinced whatever survive lying cheating stealing murder violence name also sad depressing movie found laughing uncontrollably call sick guess movie always interesting cannot take scene scene alternately incredible disturbing hilarious astounding name literally cannot believe seeing family living times country life might well million light away suppose watch feel somewhat superior whites thank lineage comfort saying see really bad feel sad sad especially laugh loud jackass also feel kind sick unclean grosser seemingly virtually anything footage see sensibility movie hope whites made making money doubt tell us care family total bull unless family would whites probably spend booze hank fantastic scary gasoline ten ate hole brain graveyard talking prematurely dead came fact good word describe experience watching film white somehow fascinating really gross disgusting kind way longer watched movie fell open hard believe people like around story whites ultimately tragic somehow turn away film done well subject disturbing compelling culture poverty joblessness alcohol life style live admit like drinking amoral behavior want know live fascinating sad film well done hate typical reality sure feel ways elevated ways naked literally front us watch try judge much guess family tax bracket two away truly jaw dropping look outlaw royalty documentary realize family walk park madness even generous hypocrisy still see heart whites well shot produced documentary really documentary giving lot people first real look certain trust whites last outlaw family reason seeing movie whites fact tap sure seem happy go lucky well lot people like smile much sure hell hank tried point camera kill show like whites considered whites actually seem like fairly happy well people average even fact seem family lot maybe better average toward end offer whites came like socioeconomic irrefutable everyone situation either mine coal join military take toothless idiotic ass work low wage essentially perish go crime like whites well apparently interesting enough especially jackass crew entertainment tap dance display somewhat amusing personality maybe get shot otherwise hell hank give second glance long entertaining guess finally self well like punch line joke right maybe hank write song said film still watchable even somewhat educational certainly entertaining whites wow family scary culture reality series replace really give well real kin ultra violence fascinating look northern hillbilly group lived many seen anything spend couple days county even though movie place far away pretty much see daily basis many family like east coast one want watch pass eye opener many people live nowadays laugh get angry laugh documentary like train wreck awful ugly stop watching really never seen anything like sad apparently true people film happy open completely sick crazy movie white family west extended family trashy worthless world wonderful argument retroactive euthanasia know horrible say watching inter generational family best behavior camera like worst jerry springer show crack white family prison drug use violence ignorance overwhelming watch hard imagine clan like could imagine film shown various hate could prove evil decadent really film awful watch several would consider important truly excellent documentary first narration minimal talk talk talk second say whatever want seeming lack direction compelling sad sick provocative one see sad sad saw video related history white trash everything seen class otherwise documentary straight family coping society interesting family mimic crazy life even though towards end run craziness start feel bad simple view life would whole lot better stuck funny less real life west like place avoid ordered sister told show saw entertaining peek life tradition turmoil suitable young much else say insane watching crazy man talk entertaining got kick watching movie came morning cracking believe mistaking watched twice told give back watched family well right never forget white family west city well aware however documentary away believe people get away living like watch lot though may white trashy entertaining odds watch lose brain fun guess naive thought aware regular people could still believing way family really watched last night husband daughter come small country town almost unbelievable inside look one family living west funny sad disturbing captivating worth look sure documentary hillbilly life west never would known white never would done search hillbilly trailer stuff led finding wonderful series trailer park matter ridiculous painful might watch still interesting great scene dancing table hank guitar watching worth like watching train wreck end sadness face though reality sort documentary style good one watch sort like train wreck watch much want look away quite family quite story glad live unusual sex rock roll quintessentially excursion punk rock scene circa highly fashion director mat musical biography dramatize life chaotic entertainment many flourish visual mischief introduce showman settling conventional narrative approach fan indeed punk rock sex rock roll easy task however yet film may little harder sell nature artistry talent past quite frankly depiction always present pleasant times though know sex rock roll went far enough debauchery perfectly palatable everyone immediate circle certain lack focus supporting made unclear thought badly ahead mush gusto yes one performance lord worthy nomination nominated bafta life portrayal easy see film childhood battle polio absentee father ray put upon wife nubile life partner dramatic heft saved yet remarkably sane relationship son bill milner strangely enough musical given fairly short shrift knowledge rise career expect sex rock roll connect success still bit vague first half film sat home writing transition explanation sold concert truth would exposition feel sex rock roll kept distance real aside milner entire cast react without fully formed right left little cold anything still dynamic performance milner easily effective affecting dramatic film number sex rock roll musical terrific flair drama urgency end sex rock roll good sometimes incomplete look emotional distance throughout picture music period especially incomparable picture goes bang fan music never knew anything band interesting well made last five reliable romantic comedy amazing intelligence creativity particular story love state mind rather analytical process one complicated heartbreaking ultimately may worth time effort structural engineer point desperate know love supposed work last five ended rather unpleasantly went wrong done something differently would film reflection say although already closer understanding likelihood never make movie tragedy although imply great frustration matter many times one lost insight one apply new relationship previous relationship failure unique back story personality may account problem quite possible remarkably imperceptive else explain failure find right woman five time row de novel love movie astonishing achievement tone illustration love life cleverly displayed whimsical series visual cinematic film might obvious home example kelly whose life story visual treatment cabin magically ride glide past crudely dressed stand place lifelike quickly discover preview coming eventually wandering imaginary carnival represent subsequent one rather twisted looking roller coaster track traditional train line red high heeled fancy weave story conversation plush elephant brought life via puppetry also see advertisement similar testimonial religious imagery nostalgic graininess writer director kemp merely gaudy display imagination thoughtful examination madhouse sometimes lot fun also quite taxing especially one looking many go relationship thinking know exactly want realize people envision usually never people actually first four fairly inconsequential despite giving quite bit think fifth relationship gemma meant focus lasting one story also compelling complicated situation gemma sweet girl attractive outgoing intelligent time goes wonder everything really language eventually well happy much better idea happy bring relationship carnival drop tower stratospheric visible top imagine would happen car fall seen lot romantic generally harsh either formulaic unrealistic truth greatness last five triumph imagination style also charming story engaging otherworldly imagery works story spite vision pure fantasy yet never outrageous fail notice grounded firmly reality think future romantic like less like life leap year back plan worst possible sense friend picked movie quirky little different neither one us trailer one like generally look like look like real people true movie hate say truly shallow male lead still needs reasonably attractive case feckless protagonist unlucky love mostly occasionally extremely unappealing depressed lack success kill spoiler beginning movie mostly last five part justification act say none five like nice people better without maybe male perspective rate film funny running theme exploring amusement park life clever idea reasonably well carried however since dog bummer kind guy none nice movie bunch strung together really care course nice ending spoiler billed easily one inventive romantic seen since days summer charmer last five terrific surprise whereas unique appeal days summer came clever chronological scrambling relationship allure last five also bit narrative tongue firmly cheek philosophical give way rich rewarding film built around magnificent visual set kemp lively adaptation de novel love adhere feel book really punching comedic deft use fantasy special effects seriously kemp vision protagonist mind absolutely hysterical last time saw romantic comedy special feature visual effects last five within first film find unlucky enough love serious contemplate suicide might expect considering end spot moment reflect brought point crisis internal lead us literal amusement park mind five well five got title right delicious comic sight falling infatuation easily identifiable anyone love film smart visual perspective found nodding knowingly plight even laughing sometimes uproariously film pattern perfectly although continually victim romantic culpability evident demise fact oblivious notion make likable leading men selfishness self apparent credit go despite character thoroughly engaging never bulk film final well assignation association film surprising number like special effects compilation favorite addition extended sequence three rightfully cast director behind footage director commentary pretty interesting top notch film received top notch presentation last five end might quirkiness spare always appreciate exist showcase relentless eccentricity funny love ingenious smart really last five tale dude last five working telling bitter tale audience however tales begin see least part overall blame upon especially love last part film fault want take sides pretty obvious move self sabotage part tale bit slow interesting interrupt people fantasy speak give advice usually bad advice making feeling insecure making work interesting look romantic terrorism male guide involved exes shoot dead really fine even lovable good job making unlikely last gemma movie one irritating olive jane march lover color night clash love go whether love real stomach ache good romantic love learned ritual something see world though certainly popular human higher level like lot broken heart love tales hopeful note meeting somebody new see behind immediately ending based pop philosopher de book love u title love story plotting b minus b dialogue b humor b minus cinematography b b plus love b overall grade b watched mid husband watched film together content since work population many family totally felt angry disgusted sad time believe sick twisted family cycle goes real feel enraged hard tax going support lazy violent drug addicted people agree one court much focus put people instead real community get go college leave life behind granddaughter stop watching show fun music catchy especially nice see beauty different angle watch video get see definitely worth watching nice take time away daily grind relax watching film amazing right back door dont go state vacation got get everyone accused something know god judge show time saw knew son watched like sesame street title greatly one better thus far looking purchase sesame street since toddler love much watch really like really love see sesame street series interesting overview various different days history episode different civilization unique different cultural still present modern culture today good detail interesting problem wood big fan western civilization western civilization throughout series offering little counter argument positive western civilization done still series worth watching enjoy history wood always great initiator history civilization good watching information past came excellent content covering ancient raise quality bit low side production nearly twenty old presentation little slow times overall interesting well thank fan wood work information program unaware also information would expanded overall series series smart police procedural take place series several ago starred mark brilliant terminally grouchy head department murder bureau unfortunately around ten series people watching new today may idea series title show today believe running drama series would expect cast many duff remains yet show interesting compelling original cast new team led burke ably di ross frasier well written range gang murdering clever criminal effectively incorporate episode hour half burke grumpy unhesitatingly give series highest endorsement somewhat modern far could tell lot diving detailed around fish lot travel one average rented think want go love river amazing really fresh water one episode missing hope get soon great see new fish old fish new light seeing cool well seeing might threat really new way look fish awesome see go biggest fresh water fish world however show got little violent gross parasite piranha still great though see reel big learn fish never antithesis outdoors woman roughing shower instead taking long soak tub hard explain love love see man fascinated unusual us interesting suspenseful educational even thought provoking wade bit dry humor helpful considering grim frightful reality show family ever even remotely interested anything fun show repeat lot material progress also bit dialogue every show biggest think season best far excellent exotic scary fish beautiful camera work interesting narration would like see river unhooked written though show still good great got brother time cheap cant wait till season four worked well thats say much else comment ideal adventurous big game thoroughly watching episode happy purchase scary general well overall enjoyable show world see lurk like host even comes bit dramatic times though probably say may stick swimming got two enjoy almost every aspect show except occasionally gruesome may done people seeing exotic fish used catch ability work local people great check love show season two great get shorter season think even third season ordered show mistake show use like getting little boring otherwise bad enjoy watching learn well reason always fascinated ugly enormous fish strange true like seeing learning seeing really love unabashed love appreciation nature voice also easy listen low mellow intrude like watched like telling story movie everyone dark w pathological obsession r male antihero movie actor phenomenal movie kind small way soul mate issue separation two soul tragedy end spoil loop made movie even raw could feel coming screen two excellent like season lot absolutely able purchase via streaming fan non existent show find availability one place well worth high purchase price however many favorite last season please bring us season used watching ax men swamp logging different another reviewer said realistic whereas ax men staged lot logged today crew terrain logging correctly keeping various single purpose logging operational field however gnarly rude ax men terrain much beautiful swamp swamp interesting see wood mass production endure get go bobby people terrain logging nothing short remarkable people equally remarkable show us iffy market various deal heavy equipment may break kill production land forestry service bureaucracy weather much good bad show us extracted valuable timber many land water long useful wildlife even plant life told rarely long swamp recover back interesting episode discovery old logging operation equipment abandoned place explaining done hundred ago generation two ago informative could see grown right equipment generation two old told another thing long took swamp recover back unfortunately hear like ax men talk much even series management timber forest ought much part show fast feller buncher clear acre seen various land various see getting timber want little though know patch regrow one swamp rat hick best part oddly enough little could go little various wood know best wood fire smoking meat building something weather never even seen living one best part good show people find outfit unlike many dry land timber much concerned well every one work site check blood pressure health right bobby result cooking healthy say pseudo family may spend awake time actual like family mostly watch boss man bobby boss wish never one like think way also think unlike change operate nearly much always disruption unavoidable feel kept minimum think see pretty close truth prove wrong eat feel show sadly seem new produced buy recommend despite may happen swamp ultimately show people trying make harsh world care individual even taught ago life rule number one life fair rule number two case see rule number one evident show nature life fair neither forestry service land greed even life fair make people seem get one best seeing cope get meal thanks chef almost taste feel winner least long roll much find thankfully another show seen know exactly mean go watch recent ax men stomach better give one watch best timber cutter type also like making competition enough competition already nature weather show stays one outfit maybe best part good survey course current state understanding universe enthusiastically hawking would recommend anyone strong background science interested beyond tiny planet might stimulate high school aged person look carefully stem type series really good overview popular physics today necessarily go depth entertaining educational listening hawking treat even computer sense humor program awesome entertaining take elusive life difficult alone universe look like comprehend vastness space time say understood find interesting informative educational abstract done level average non mathematician follow graphical great also informative although thought scientific insightful could daughter interested first thing watched looking excellent theoretical discussion evolution beyond earth impressive overall entertaining worth time watch fi fan bit still informational general fi buff suggest series kept attention start finish good presentation theory exploration universe average person begin understand appreciate wonder uniqueness fan hawking watching sometimes disappointed limited probably realistic science fiction time travel possible traveling faster speed light show first episode really good lost direction episode episode really focus like two first astronomy unit could understand beautiful crazy pure entertainment want see gorgeous wedding opinionated show interesting see dress choose come vision usually end something completely different thanks awesome bridal fun see pick series better first season say whole series season fun ride seeing bridal bought pretty much budget truthfully chance sort show fun go real bridal shop buy sexy gown unless want case show gage sort fun half hour take enjoy series much lightweight fun watch time many poignant recently cut back cable package getting expensive program miss love say yes dress beautiful silly pampered people randy watching say yes dress fun see different see happy find right dress spend lot wedding gown enjoy watching spend beautiful unbelievably tacky expensive lot fun watch love show great nice surprise sweet funny try watch whenever get chance show always good entertainment would someone spend k wedding dress budget k comedy great acting get masterpiece like given best performance watch beautiful lata manna dey given divine singing best music director would surely recommend great video want learn meditation able see want mind see meditating think helpful let beginner know expect one better name comedian era cinema starting ever great even must watch documentary real walking de saw scenery physical faced along way inside inner well outer walking along way st recommend film anyone considering walking de seen first three recommendation start one try one need fly light dark plant eating dragonfly space ship crew kai robot would lot summarize even could done clarity would flavor sensuality satire parody nuttiness series dressed fi technical stuff series sound digital stereo aspect ratio set put alliance company region originally meant market racy stuff included like version lot racy sexy stuff kept original release company back first paragraph idea start season one like understand understand series change plot still turned back yet fourth season nutshell side sun found blue planet turns planet earth saya farcical version earth know earth center set crew therefore must dangerous place probably one times right meet people know remember crew light universe prince darkness maybe season madcap approach within context series loose first three certainly dark season four turns farce many times crew way around world prince adversary series head bureau alcohol tobacco pretty much funny prince wait overall season one wacky way end series plenty imagery last another least unfortunately think bravado excitement first three would give go ahead fire puppy blast strange weird fi enjoy smile laugh fun go ahead know guilty pleasure hulu longer streaming series version sold time posting good luck forgotten much show first glad bought time watch one best best show season show search super shadow master show hot wan plus nice bathtub scene female lead watch show need watch second part show totally awesomely anime watched initially streaming decided far watched total x daughter great available purchase really hard find order really really annoying thing cut certain like kim g included complete good season think missing season like blind date set kim g time season without show boring new season beginning medicinal season episode good gamble glad cloud funny still funny watch young family season relentless caricature enjoy anything hilarious every way story animation music character expression auditory visual serious satire price right gamble season show funny constantly watch phone wish brought one realize season bundle per episode totally love picture sound additional great star take reach originally time see already hour two air would understandable entertaining evening family watching movie caveat lot related result watching movie book would take serious study truly want entertainment value movie enjoyable rather silly cute movie heart thoroughly fun family movie thought movie wasnt time thought good better second one rented movie three would agree watch make funny tough guy tooth fairy truly predicament gave nice show watch didnt involve sex love fighting worth rent buy cheap nice family show show funny without heavy bad last long one watch without getting tired getting kindle knowledge finally broke bought digital good believe still show ridiculous dad test kindle bought make sure rather another tablet watched part episode kind disappointed quality guess watching non show kindle still better great computer generally super picky quality little annoying would highly recommend show anyone quality picture leave little desired series ran one year strange quirky show son partner cast also included actor bad guy al ending week good always got mess funny show sorry ended one season thanks still see watch night weather great able find still get watch later lot disappointed kind like spoof police detective funny really love buy series dad cop would love show waiting since waiting pay someone series often sell money going anyone ask guess spend money getting subscription fly fishing journal crushed good original hilarious really believe would caught lot discovered boom gone episode dan flu side splitting fox please please bring back watched instant like show much comedy action drama blend together fun cop show dan stark hard nosed cop straight jack book cop get become unstoppable force unfortunately show even worth watch favorite doctor however needs friend well would rather chance get know companion better good regular season miss understand going last change new doctor know watch doctor favorite episode like give love doctor objective beef couple planet dead second half end time specifically seem like made thought think time see said still enjoyable meaning watch doctor quite first week set great way say watched many still think classic series really blend humor cheesy special effects still works interesting see make usual disappointment one watched series probably new female lady also jewel thief almost good river sure trying make dislike ten last regeneration work fascinating human nature psychology especially sad gave instead prepared cry still good last us remember watching entire series available one special missing bought kindle fire watched great course could carry rest without wondering wondering would without regular great actor great story pleasure watch brilliant blow television show water even though smith favorite doctor always one great special new complex interesting get thinking stimulate mind love wonderful problem available free streaming long time much review episode good special good rest still doctor watch plus seen worse bridge gap interesting stand alone part tell end near doctor highlight loneliness foreshadow death repeatedly next doctor year special full fun portrayal doctor brilliant chemistry made special joy watch story quite epic well return ended doctor facing skyscraper high thing hot air balloon dinner ending nice touch planet dead great good usual felt companion overly arrogant back annoying doctor without earth peril must work frightened limited save day formula nothing great interesting special doctor one fixed time change without causing ripple time space continuum something wobbly stuff decision change fixed moment dark arrogant side doctor may worth exploring course quickly put rest folly end time doctor back donna noble grandfather fellow season adversary master special epic guessing doctor fatally wounded order prompt regenerate say thought perfect moment doctor make decision one powerful doctor sad angry peace farewell tour end nice touch close incarnation good ending great doctor sad episode little black white much master eating love old acting watching see time like doctor fan us series special planet dead water end time end time opinion rather normal may see normal series seem special sense connect one another planet dead rather pointless really see purpose uniqueness one basically doctor put rough spot needs find way time saving earth water also uniqueness follow doctor explore episode rather suspenseful connect anything sense special end time end time likely doctor actually looking understand transition series smith series th th gave star random wasted rather see need call special access air broadcast special next doctor pretty disappointed air normal last doctor episode watched cheesy far story went different doctor compare acting story mention bond actor good luck house around world good morning personal cell phone today please one better different beautiful sort antagonist doctor fairly decent episode right nothing added story plot fairly episode reason got episode one missing picked watch found entertaining enough feel bad dropping watch definitely feel like episode gone onto next would even episode series mediocre episode best still better episode many today lack luster doctor episode sum would feel episode worth purchase doctor yes good episode even though one better feel watching doctor missing episode would make change enjoyment series yes episode good nothing note must watch great story great one time companion may best doctor know everything else sure worth price watch end time season take place season post doctor series technically call series instead year series series doctor hour long planet dead might rated low considered special sub par episode best worth water hovering somewhere top doctor old new think post episode doctor without influence true pseudo companion fascinating watch end time one episode equivalent season finale true doctor form top mind blowing fun ride throughout basically watch doctor although water absolutely essential overall story doctor end time watching watched series intend watch series name one thought best type series look actually short season watching season season naturally must something suddenly new doctor new good although hate see go reason giving five one episode already seen disappointed next season without watching first though realize went season trouble loading overall show worked fine exception planet dead great lots suspense along way really like planet dead star end time pretty heartbreaking meant well written beautifully brilliant turn well done good story good love best generally good modesty one becomes something time lord jerk though good reasoning see turmoil prophesy doctor dare say humanness comes ending perfect well deserved comeuppance favorite doctor watched planet dead episode unavailable decent episode always fantastic girl lady work us know bad bad delivery somehow chemistry regardless annoying recently found doctor show watched almost every episode also almost love finding special prime fantastic huge fan show love especially imagine would bit everyone watch said one best end time although masterpiece definitely fitting bought episode one fun episode definitely one best still enjoyable love doctor want miss episode doctor wish understood doctor needs regenerate often least best joy watch interesting hold one attention miss incarnation doctor hope still alternate universe weeping rest fortunately doctor house feel lot better make appointment regret best part doctor tenth doctor spectacular like usual quite especially send especially sometimes bit cheesy really sold everything even make shed sniffle end time awesome character rest run doctor previous really random good made little sense scheme get sort pointless would couple streaming nice see episode available season four turns better companion snap three season enjoy watch show barely got clearly generation younger generation made dope time machine family grand daughter let get program people unlike may even want spend money much digital great cheap borrow friend see dole cash please authentic still timeless new soon gone forgotten doctor alone bit droll said return master two favorite plot quickly however charisma smith watched doctor although fun good story found actor really show doctor lot fun although much doctor provide great entertainment value lady living room teaching us video quality great sound quality little worse found entertaining dont regret video low budget flick one best try shock awe type film morbidly humorous black comedy laced though comedy satire watched time ago never upon saw thought add one help film sarcastic homicidal road trip film dig ordinary people go postal type like god bless though one action filled comedic one pretty much ordinary college one morbid rest road trip challenge kill people across country break carnage particularly top anything like shock awe film however worth watch want something beaten path saw one around time saw st century serial killer also beaten path quite horror film worth seeing though first get sinking feeling like first film student name college partner said know went bed course gear speed picked even instantly inexplicably acting simple turned complex lighter sub really amuse end glad stuck poor film quality acting sound like try film really granddaughter perfect travel occupy awhile need short interlude aware point kind leaves hanging awesome enjoy supper bummed cut episode funny favorite season seven first watched nick thinking would want watch watching fairly thanks favorite episode adult fairy tale package fisherman beautiful half dead woman net late mother cottage recover ill daughter woman magical creature sea quite lovely looking movie scenery main beautiful sweet story part one complaint dialogue hard follow movie speaking think definitely movie also unrealistic fairy tale action movie calm quiet type doesnt turn bit magic beginning bad movie spent several able catch much dialogue similar accent however wife follow much spent lot time however story line intriguing fun try figure ondine really supernatural scenery outstanding acting good worth couple story much land beautiful story line good cant help cheer sweet whimsical movie interesting people flawed find love new life sweet movie silkie angle captivating interesting everyone story acting excellent think would like colin fan romance movie buff ended getting right beginning little girl sweet clever lead female actress great performance colin good even though care much actor movie really melted heart like fantasy stuff mixed modern times watch great little romance story sweet hard follow like sometimes pay attention fisherman colin interesting prize trawler net beautiful creature ondine ondine sea little awkward world fisherman daughter alison barry tale found mythical sea creature fisher man starting see daughter stay seven carried away sea husband let hope everything turns right highlight film fisherman local priest rea looking movie one night colin watched movie really different good entertaining overall much fun movie guess put romantic category fairly light mushy stuff cup tea right action main character male main character female sea entertaining attempt explain remarkable beginning story however set world reality eventually world least movie wish movie ending enjoyable worth watch great little story watch dreary afternoon couch cup hot tea scenery beautiful charming eccentric story sweet uplifting dash really enjoy fantasy story like one story interesting fit well slightly mysterious love story suspenseful end many predictable days interesting twist watched one knowing absolutely nothing found captivating movie gray mode film made overcast skies everything overcast gray tone scenery story seem gray mood rather somber sad wet story however always interesting ondine character impression loveliness innocence vulnerability sympathetic time one easily develop concern well fisherman colin touching figure man faced great trying deal life grown rather predictable unexpected turn fishing bring mysterious young woman absolutely business balance story solve dilemma make best good fortune entry life bring daughter dialysis machine decision something unusual woman find real story behind mysterious appearance story comes exciting conclusion secret revealed film rating generally suitable older last week caught satellite channel never thought watch colin knew ondine mermaid silkie colin movie mermaid like something wife would like recording oddly enough though much romantic concerned blurb film said see well think hit great popcorn movie somewhat old fashioned slow paced major car heroic slaughter hero run mo air big effects going even attempt review film saw june review calling nice fishing movie really chuckle like fishing well think catching nice looking mermaid would bonus ondine comes baggage like literally figuratively bit story filled wondering movie come really bloody conclusion anticipation huge downer give away bit gloomy gray still lovely scenery decent acting might like include family alcoholism aa town small priest tree remorse glimmer hope willing suspension disbelief part main character thought interesting provided music would thought stereotypical sad oh poor poor old music thrown nice change hopefully album music new fresh melodious second thought fill crooning echo little twilight tinkling goes long way music think worth listen want fast furious transporter iron man repeat see film sweaty sexual grappling screaming grunting either one short side back shot wet girl clothes naked sex violence want ever film one soft talking great hard follow understand saying beautiful story great lot lost catching saying refreshing movie fine acting story ondine watched rating movie story simple nice however fuss read able understand saying fuss almost gave star rating setting problem go set menu listen head glance occasionally quilt watching diction perfectly understandable like lyrical quiet movie father whose aa buddy priest imaginative sick little girl mysterious woman like movie love movie sometimes dialogue hard understand overall movie would recommend one spot stuck item good condition movie might something fact colin sweet love story poor fisherman daughter nice sweet slow movie watch summer recommend movie disappointing turned ondine entertaining none less would recommend movie movie touching recommend watching quiet mood colin fabulous watch buy want watch one rarely certainly one colin lovely marvelously type story legendary told modern dress story predictable fun would give sometimes hard understand combination low volume brogue could decipher brogue hear speak clearly little girl great colin well overall sweet much tradition storytelling wish able see big screen independent theater nearby teasingly spun story along west less child one individually major may combine effectively art hardly country song agree problem dialect understand one particularly difficult probably watered consumption would helpful especially hard hearing audience felt ending let took inventory whole film decided rationale intentionally left loose inexplicably unaccounted like much life essence often truth evidence conclusion drawn probably upon viewer pace carefully plot rush would like gulping gourmet meal wondering big deal premise providing texture seamlessly viewer alternately mundane reality mystery nudity none blatantly seductively supportive experimentation adjustment feral attire sealskin confessional delightful offering restrained relevant factual character information way sense locale long often exasperating history priest circus take time savor film set chat text aside bit weave spell overall thought well written directed hard hear dialogue find issue almost fairy tale little disappointing explanation ending still miraculous power belief chance see great get daily dialect eastern accent take completely different reality great especially colin colin made beautiful couple muffled film done dim murky way checked see left mistake opinion much humor got simply plot actually take shape last third movie exciting come away understanding story said happy reiterate admiration colin crazy heart time wishing could find project hair shower shave tired assuming smell good character alcoholic fisherman daughter kidney failure dialysis regular basis daughter barry first film precocious little gal around tiny village father woman sea fishing net library tales sea might prove little magic coming way overdue local priest rea heavy must bit skeptical fishy story fisherman ondine lack better name think told production authentic except delicate tow line acting genuine story nice romance excitement fault father daughter relationship colin well role along actress daughter sometimes hard hear understand director focus much love drinking tell story worth watching opinion movie much response people trouble understanding dialogue would hard understand without able turn closed setting menu subtitle menu disc listed closed differently go set activate closed throughout movie times great movie take heart well like fairy tale draw back thick understand great brain break real world nice movie mood story line interesting plot scenery best colin shirt one rare film depend special effects comic book mentality dialogue story offbeat original turns terrific even interesting story old folk tale sea creature human shedding skin seal live act like even always sad story back sea lead character fisherman woman lake net strange begin happen could old legend really happening fertile imagination must see colin wonderful fisherman little girl daughter fabulous great dialogue moving story excellent story line tales run shedding seal skin forgetting self watch nice romance thankfully exactly found glad movie every scene would overdone instead sweet gentle enjoyable film real life fairy tale cast fit well together plot nicely even sudden suspense several surprising turn even surprising revelation mystery woman secret past best part however upon time tale stayed true format little family happily ever film like think true romance story love family hope new fine drama romance delightful thread fantasy running throughout end one left unwillingness consider woman really inspirational found movie searching colin kindle plot interested fan phenomenal moving meaningful way legend handled movie wonderful extremely good chemistry main excellent great movie good see movie well done plot support cheesy trashy language love huge fan colin fantastic ondine nice story great cinematography acting especially various clothes wore mysterious character ondine fairy tale per se rather well done character drama mythology modern setting without giving much away something along secret roan really end would recommend anyone good flick finished watching ondine feeling would good colin become great actor good one great one real difference jordan smart enough surround hugely complimentary cast dare say handsome talented absolutely working set fishing village southern nick circus previous clown like drunk goes fish every day life sea seem beaten boat hopeless wreck something almost mystical gorgeous ondine woman literally fished sea trawler one afternoon maybe magical sea creature maybe remember mysteriously aware enough want see people whenever boat bountiful happen catch therefore drink broken marriage another drunk great performance skill trying keep sick daughter alive sensational touching turn newcomer alison barry character full local catholic priest confessional secrecy wonderfully weary turn rea heart film child playful charming first ondine soon needs dialysis cure proper family happy ending dangerously believe wholeheartedly like child would newcomer daddy beautiful lady secret house sea saving ondine something would story craftily goes lovely song sung television towards end location scenery ace believable hold together destroy family realistically even cork accent good character man feel really works lead actress fell love set real tenderness chemistry like art life ondine blockbuster small film big heart lovely lovely stuff familiar rich tradition folklore case may already beautiful film secret roan highly recommend film almost certainly appeal unfamiliar uninterested fine tradition believe tale small coastal community still hold interest without giving away much tell mysterious woman comes town come end appearance rhythm life village way good ill complicated set would appear outset see film decide director brilliant crying game jordan really fairy tale story complaint could done without partial nudity sex movie bearing film problem understanding fairy tales certainly manner speaking turned sure would never example case kept guessing final act young woman ondine turns fisherman ondine stunning hard take fisherman colin one better guy acting film take turn dark side eventually away growing mystical romance movie guess director writer jordan bring film back reality thriller aspect bit still movie looking movie yes hard times nice let go watch scenery ending myth real great entertainment beautifully done interesting story nicely told one huge coincidence hard look past otherwise nice story fisherman woman net seen movie several times still attention good good movie occasionally hard follow story line sweet left good come bad kind feeling movie real life fairy tale leaves feeling good one something else mind absorbing time film ended tad confused acting good best fishing movie ever seen really pay attention sometimes great nice scenery movie nice life fisherman finding girl added attraction maritime area related movie acting great little girl one best movie long time time go fishing location beautiful scenery acting good story turns fairy tale reality leaves wondering bit husband much romantic film bit difficult understand times figured mysterious arise sea fall love common enough theme today little ondine genre surprising twist colin captain small fishing boat luck alcohol habit deeply daughter alison barry kidney disease one day fish woman ondine forthcoming ocean daughter seal become person skin luck change better viewer something going happen especially another underwater husband scene director ondine chose dark drab dirty stage various bright cheery life poor fishing village continuous bright spot daughter whose vivaciousness lack self pity continuously uplifting film story always good thing movie fan colin movie nice surprise hope thought enjoyable lovely movie however disappointed times understand said due would replay scene still quite catch word phrase still movie lovely way spend evening imagination beautiful film ondine first bought video library quite time waiting atmospheric movie mythology folklore along basically simple plot times need escape added effects directed pull simplistic story find tale character driven plot beautiful music scenery seen film late lonely fisherman colin net sea quite surprise would beautiful ethereal ondine becomes immediately ongoing story small daughter convinced much story much better said looking broad reaching magical feel like poetry motion sat back watched lovely story enfold equally balanced neither ondine may everyone although could watch little masterpiece story probably thing movie magic feeling seen long time chemistry two electric pace get kilter believe two people bit colorful language although overboard addition character may know country well wonderful scenery music folklore going source interest would definitely love learn miss vastly movie especially interested emerald isle mystery love woven together reality life wonderful film highly film mix romance danger mystery someone whether magical magic people strange love story poignant like indy film would probably like surprise ending good acting child actor precious learned lot well worth watching like mysterious legend type wife movie really pay attention every lilt made difficult catch said believable kept attention also really would recommend really story really neat took mythical story wove modern day actually dont want spoil really mythology think nicely told story really recommend movie nice surprise colin whatever fan quite ugly movie works good job good good movie movie vulgar language dialect usually overall movie somewhat mystery latter part movie really story line cinematography acting good performance ending exactly hoped would happen ondine romantic drama colin fisherman circus known alcoholic goes confession resident priest also father young child alison barry sick child life unexpected manner unconscious young woman fishing one day beautiful young lady evasive true identity adamant want taken hospital seen anyone home ondine polish actress daughter convinced ondine seal shed skin become human believe ondine might otherworldly person beautiful singing bountiful fish fishing trip ondine truly magical creature another world dark secret revealing true identity core story romance ondine credibly woven story gentle unfolding romance movie leisurely pace yet impede momentum plot gentle ethereal story two people lonely man fighting inner lost young woman searching place call home also story amazing young girl fierce spirit positive outlook life despite physical watching drama entrancing plot gorgeous cinematography another movie also centered mythology hallmark seventh saffron oh also animated secret mythology final verdict engaging romantic drama suspense mythology one year old son show super catchy beware son yo shy three old new show really like yo hopefully offering prime good show young preschool child format fun music sticks head sure program lot dancing good one allow daughter watch daughter time waiting dancing fool musical dancing great show lovable episode always lesson teach plus love biz every episode even particularly like music crazy colors fast pace catchy get recommend sure attention longer specifically ask definitely must watch small daughter almost old really watching son year half comes literally whole thing reason gave definitely watching annoy parent different weird understand like show consistently fun sweet music catchy get little watched back back friendly good safety kindness manners eye catching colors lots music make engaging nice show many son cool trick session nice show little guy watch several times repetition much music get stuck head one good entertaining time like respect overall good choice toddler age prime included week membership removed season yo prime shame people switching whats included wish little variety included prime feel bit bait switch tactics awesome year old educational dance happy daughter good fun dance favorite part show daughter show music good keep attention recommend show rented prime account granddaughter favorite love hear sing song know heart worth year old watch series quality show still watch brother totally great clear simple grandson music dancing would given find little odd got year old year old really year old take leave might difference age gender regardless reason really glad got give something fun watch show young show grandson watched lots colors dancing year old great niece like many first show strange adult first show year old would watch immediately use actual hone fine motor taught dance show good young two yr old daughter music dancing love theme cute age appropriate sometimes show random strange love show cool show even watch actually sit relax great memory fun yo grandson good alternative violent vulgar love show annoying thought would love music great beat like dance like drum watched several son turn show full fun interesting appeal young far teaching good like taking eating healthy interested son show early age solely would give show yes negative bad adult probably one torturing yet comes toddler said whatever reason much age two specifically one first knew name really like sesame street mouse clubhouse much better think far better deny show also teach along way anywhere near well sesame always prefer going show child young age show based child perspective give four god painful god awful four parent shown show yet please resist otherwise might get stuck watching party tummy song totally worth like guest daughter dance like show enjoy higher review prime well outgrowing show nickelodeon great rock within first season epic highly like music love show well wish available notice lots available nick fun entertaining stay glued screen great wind time daughter help learn like keep try n never give daughter show excited every time put little one running wish prime member could device play without need data grand love yo old new sing toddler show really want watching week everyone house sick little quiet time put show like episode theme catchy go theme cute silly good pick little love show especially toddler fun music throughout show bright colorful quick keep attention show partly member rock band show different band like singing fun like lot catchy stay head find waking singing humming work like husband may understand overall energetic show valuable dancing always found yo interesting show always enjoy watching show cute entertaining definitely cute show granddaughter program like us moving clear way understand care much biz beat day vacation availability life series sanity saver year old grandson show teach small bought yo shirt birthday excellent program k enjoy watching yo since encourage spend spare time kindle fire relaxation daughter five watching yo right around time turned two old son two discovered enjoy music color dancing never sit still long immediately jump start dancing singing along show little lance lot zoo get nostalgic watching big show hopefully become available prime soon perfectly happy watch love move dance enjoy maybe even enjoy seeing show even far parental really good social musical generally rock cool grown music stuff actually nice pace enough give honestly seem mind think affected attention span daughter really show really wish however free charge watching season got little old great rainy day show little one release energy go outside put episode son dance wiggle three year old know enough energy spare little bit rainy day easier bear granddaughter visiting watched sure real good cause make sound till thank episode pretty good message one year old zombie trance giving us time get done around house love sometimes strange come saying hello tall red twin screen pale white expressionless randomly kept show thing like two yr old song day long sure e mean keep trying teach message mo love show sho singing dancing awesome pretty funny lance take seriously fantastic want little free feel self conscious really like variety thrown animated great well son music love wish educational content episode use language development learn number learning nice two year old daughter show good like mind watching one yo good attention grabber good music good good fun get stuck head day long always good thing year old son much watching probably one let watch nickelodeon daughter sing dance episode valuable lesson glued put particularly recommend sleep episode month old energy integration real extreme computer graphics make artificial daughter show simply dance favorite long time unlike many care music great variety quite tolerable fun member teaching draw biz marquee giving watching recognizable core good imaginative stand thought could better love show find little odd lot good taught watch almost everyday sing along dance around play show right young imagination bought daughter watch kindle fire go fun music simple sometimes graphics bit overall fun baby daughter show believe music attention daily task education great young lots dancing singing along yr old absolutely fun dad series excellent upbeat music exciting get couch daughter excited whenever come screen helpful long enough hold attention though wish would put onto prime care like sure watch good show son lot lot like n manners recommend love yo bad prime see season charge love show son mommy time know move man learning dance daughter yo old younger educational get moving exercise kind childish definitely better toddler yo ready anyway prime really enjoy show daily enjoy excited watch good time really weird al sure thing issue first season prime one available streaming competitor took completely time ago much chagrin used service cannot watch prime little one day would made daughter show actually use reinforce trying new haunt get strange show becomes somewhat entertaining however despite show ability calm son make smile hulu dont show thats going switch really sure program trying get across grandson colors since teaching evil let watch really lame adult logic year old daughter show like relate safety love learn actually good quality show mindless drivel show captivate yr old daughter however mother actual repetition sometimes get annoying thus great job stand much long turn allow much break noise really month old music personally like diversity different show definitely different one continue watching future funny hip attention actually every one aught check new yo little one short attention span keep enough quick dose quiet time laughter day looking forward watching future needs yo may little annoying one year old actually sit watch excited though think show could little educational teaching colors teach handle love good show interaction singing dancing funny awesome would recommend mother good stuff better stuff unique fresh party tummy love lance always dance singing alway positive message end show mildly educational mostly entertainment daughter lance entire crew house work two year old daughter show sing longs catchy full vibrant colors sure entertain teach lesson two watch mo son singing dancing easier sit barney whiny found material entertaining educational year old grandson quickly favorite pastime indoor playtime lunch grandma easy converse regarding good job fact conversation saying yo great kept cooking wished fleece blanket bit bigger overall child son beautifully freezing gave silence thank love dancing singing wonderful catching put blow hearts grand daughter one video lot watch one two switch another video personally think great value show series short clips short enough attention span toddler though even caught older tad bit weird opinion good like biting eating healthy educational show social interact colorful musical energetic show love extremely sad see take prime love show husband use every day life help remember manners right wrong like silly speaking wave length child appreciate idea orange dildo guy got car commercial must good agent love convenience comes handy yr old daughter love show year old lot sometimes need clean mess cook want zoning motionless show like around friendship great think season eligible free prime streaming rest buy come show old enough throw daughter show got much house work done show go really love show freaky everything mind really love remember everything granddaughter good music educational keep attention show interesting famous people show season made yo famous content top shelf entertainment side made first e g digital pack buy get every episode ever made one able grab hold month old attention semi educational wish would add prime instant video getting little tired younger love show catchy careful though get stuck head daughter watching yo still learned numerous new along well singing like show behavioral like sesame street cover like biting people afraid dark'
textNegative = " ".join(rev for rev in reviews[reviews["overall"] == 2]["reviewText"])
textNegative
'like today generation getting revenge censorship trying open guess nice good morals crude face stuff funny funny everybody would let see male female full frontal weird stuff also must gay cause theres lot would expect generation reality show hope next generation back quality instead quantity crap watched least percent drawn together yet ever recall laughing past grin leaving absolutely nothing funny obvious predictable never displayed wit adult animated cant see show lasting many slight premise show tired stuff gave one star quality like comedy central ago also lot censorship contrary seen drawn together collection season one got birthday graduating high school back dislike even though big fan drawn together would recommend anyone even enjoy watching show hi usually embarrassed adult humor uncensored version goes far mean need see nude enjoy movie contrary ruined clean version disk stuck watching trying get filth sure like pass selling mine want limit review vol king poet warrior since middle th century historical veracity since time one new found archaeological discovery another existence king use crucifixion affix people content historical video series projecting present day academic political philosophical behind legendary fabled one part series approach likely rest series twenty two full length e series featured collection providing wealth astonishing unforgettable unfortunately unforgettable aspect series long theory short set disappointment set better coverage one boring shallow waste money learned nothing could even play information wrong incomplete insulting intelligence want study listen pastor great linguist scholar rabbi relevant understandable chuck experienced patient teacher get actual holy land lessee disc holy child execution one man one god great ladder master cain queen king king poet warrior last revolt archenemy lost last supper magic soul heaven hell money instead several fairly well done overall always ever really happen really happen way overall aura discredit trying find evidence support particular lost went top suggesting student ministry philosophy entertaining new information given really learned nothing already know historical awful box good subject doubt interesting color beautiful quality video bad taken forever decipher content sound disappear constantly impossible follow tried volume different hope problem could faulty player unfortunately return disappointed series based th century myth german historical higher lower criticism theory archaeological evidence time opposed present day check museum example recommend anyone looking truth accuracy new misleading series first type also last get play moving machine nightmare many even legal attempt buy new fruitless keep freezing idea nice technology yet show long segment longer show maybe love south nowhere however season play get menu play select episode go past main screen even get single episode play always happy exception burned onto include product information would actual original show know show n network dialogue content upsetting given price important completely forth coming product description otherwise always great place shop quite acting great hopefully improve next copycat consumer warning series great picture quality also quite good nice network crawling across screen however cannot give good rating set original show really fan consider low quality defective release may consider inferior air theme music completely different song noted description yet another case false advertising original song course much appropriate better may unidentified series used lot rather expensive music unbox several choose episode option simply work series found biggest waste time money thought maybe would get better man wrong went south quick boring watch wasted hour get show series average running time one mean file abruptly right middle even though cost still got let hope iron get service farther underway careful enough running times sure seem accurate buy cannot review never saw make guess likely thank would give movie star rating could lot good action great like delta force delta force list much information exaggerated incorrect based wild imagination try reading want know satan watch sensationalist garbage even use inferno credible source information anything people clue please waste money like poor video quality night like decade ago year old seen street race one yeah got racing night shaky great quality video still number mistake disappointing looking video slide show information gave instead overall quality video pretty bad think failure paper chart also previous commenter stated many provide corresponding video simply listening commentator discuss perhaps annoying horrible half way video wrapped displayed watch past find another content real amateur video gave one star video quality awful hope get money back refund money without problem hope get better copy video place movie method must accompany review cannot view movie although unbox system completely useless cannot get movie although truly wish made available another format help get worthless well short make sure try system movie help desk assistance movie least rent buy bad good rent min long presentation original review missing unbox extremely since one click season buy added back price major objection merit series quite steal one time best anime series especially like anime pure young character drama best series well one extremely minor role get series alone get awesome really recommend story enough would let change star rating would originally rated star missing would give star story available unbox version let restate version anime version get road amazing video disappointed prior product e movie whatever never would bought available format like idea sitting computer watching entire video none included list compatible allow watch furthermore refund policy e stuck video yet probably never watch entirety first negative experience hope either change refund add warning future bike repair basically video light content repair one shot thing better book old b w version zorro without zeta make worth seeing good trip time decent episode longer serial movie missing waste time one episode many corny movie serial waste time watching quality film terrible worth remove library like serial together make movie acting standard effects poor big love particular investigative detective stuff guy really boring appeal show population also type program would receive strong r rating would shown current form creepy violent watched first episode maybe story less violence want watch find plus character annoying one real snoozer believe anything read hear awful idea title neither thank heavens bought st part first episode subtitle think would sell many consumer know company show budget perhaps spent little even could make dialogue missing one even bother buy missing going provided near future like bicycle missing wheel watch know find watched funny boring never watched get error want see recall error message watch lynch work relevant times thought would nice go back see like funny goes racist food language music pretty sure audience clapping added laugh replace bad stale comedy engrossing even watch full episode good experience needs improve show able keep attention funny big cook fan pass trust review need sentence make least long criteria gave video also love cook good lame trying hard physical part bit much love wrong rating fair actually funny like first three rest really stand opinion may sense humor take grain salt disappointed show cook included found access cook show would never known sure find current brand comedian almost none creative original usually resort coarseness get laugh show felt audience member funny even get first rental definitely worth money bought single episode supposed cook someone completely different unhappy reason bought cook preview even funny taste stopped watching mostly acoustic singing dry humor bland every video every season comedy central video audio right along really really annoying play way system one video altogether hung till next day unplug unsung video every comedy central still fix guess got funny later career min turned spent lot time crawling ground think funny may doubt hate intend buy could return transaction one click great issue connection may inadvertently buy intend buy could give negative would left like action would chosen older decide level age never happy purchase install company need player view blah better least watch somewhere computer title set mixed review good like got complete season part like first release bad physical cheap even real commercial quality delicate likely degrade year two purple dye slipshod even play first disc older player without disc skipping picture pixilated beyond anything watchable ended watch really really series finally like cheap pirate job sorely disappointed nickelodeon unless ray hate say way get series phantom exciting finally get little disappointing back cover scary good time complete first season phantom emphasis mine however first season one twenty long similarly season two set include fan favorite ultimate enemy probably many one begin save money real box set twenty plus everything season box set sadly like phantom really annoying used always watch boring never got see never load tried days yet able get free movie show free prime selection show old joke one two good gave two nice hit miss featured however offer ability discover preferred comedic talent guy racist actually funny denigrate entire race people please favor waste time money lame humor mainly accent smooth articulate presentation seem struggle funny way many also give little room use language believe take curse word two without going crazy bob comedy funny waste money racist comedian since resort crude humor cringe rather laugh humor ethnic racial segment vulnerable pretty bad quite find something funny bone enough keep watching whole went found something watched watched lot live willing give guy benefit doubt time done crowd comedy really lousy bad delivery average concept nothing impressive glad waste life jimmy pardo comedy central special nothing spectacular gave cursory glance none diaphragm threatening splitting hilarity bother amateurish cliche comedy presentation like made someone garage watched one episode funny think reasoning video material funny suggest comedic relief didnt watch stand see watched several several much brag got feeling trying cram like agent would push player talent scout stopped watching program top way short comedian cut short could unable watch anything site fix problem stand current relevant today first time able continue watching entertaining husband little various stand would prefer whole show laugh two game little childish sometimes annoying would prefer play instead candy land may little old much modern comedy us many well power far watched first three thats though dean martin roast era still laugh today witty comedy repeat witty really seen got deep many rest like watching high school trying hit serious major league pitching miserable felt audience giving polite obligatory laughter slapstick sarcasm absurd observation real twisting news life like delivery main make stand work one still use perfect delivery home viewer find belly laughing first commercial break time move unlike audience directly pay see like said comedy beholder nothing write home would recommend one would watch boring comedy central quality always going hill try watched three find funny bother watching whole thing close match voice hard hearing deaf laughter match end joke could hear voice well laughing matter joke intended deaf hard hearing one star fixed even crack smile ten show bother raising time simply funny know must hard stand comic doesnt make sorry best check magician joke one stuff turn really since comedy central garbage joke episode even guy remember name nearly funny found several like cook season really frank magician complete waste time get streaming straight even finish watching first video uncomfortable feel unfunny uncle funny thanksgiving dinner funny seen much content pushing funny audience instead natural comedy flowing like negative advise everyone spend time elsewhere also enjoy going zoo would recommend content even make smile vulgar guy trying make smoking cigar way vulgar tolerate little profanity first opening joke demented funny least old badly stuff funny actually tedious boring sorry wasted time would recommend entertaining stand act way better corny many dressed like girl take video single item broken three part series think producer seller trying overcharge take look image box see high quality production instead basketball comprehensive got today read description thoroughly turns exactly professionally done fact basically bootleg official presentation r real burnt none less bootleg highway robbery also sad love show far st season real release far quality good make bootleg waste precious time listening idiot really people weep country find funny lot empty posing desperately trying look cool believe people driven attempt stupid stupid stupid probably authentic per generation something time stanhope maybe none people matter bigot rice excuse fine accomplished black woman put boss think cup soup funny many hold interest time clever shallow crude watch saw poor timing unpleasant punch easily funny love show long going pay episode minute show price hour seriously need rethink system really like buy season paying short clip actually think min bundle shorter selling even much id like pop unfortunately kept stopping buffer finally turned may connection wait time german certainly never received say much would kind put kindle fire would watch classic recession less complete season show incredibly low price retail closer even classic like bonanza absurd paramount done past partial season like cannon fugitive yet give us full season like love lucy sometimes give us full st season show rawhide double back us dividing following partial enough crap enough deal people money brains less discretionary income available days feasible abuse classic television partial season change incidental music boot please please resist temptation buy love bonanza refuse financially marketing team paramount television studio stunt consumer power make stop oh paramount gun travel another western think half way good enough disappointed original bonanza theme song track removed generic material seen done paramount like three sons latter music cheap pay original music see get remove iconic crime original integral part nostalgic experience old time disappointed easy fool good look sell market getting flooded miniature budget yes gave cause seen much worse one star gnome one nudity watch good horror movie little different original awful almost unwatchable importantly think brain drunk enough make movie enough make movie lot nice see anywhere enough save movie moment competent acting boy crazy drunk apparently actor lot experience talking mind bondage domination reason need people either horny blood drawn eat born large vagina dentata oh spoken climax last three film nothing keep point scene suicide viable life decision watch movie masochist recommend anyone else hand want immortal watch time never end young forever finish watching get first couple bought said funny show however find much humor watched stationary bike riding make want come back ride tomorrow stupid typically comedy find voice think one found lost high point first season episode gang underage drinking relive high school cool rather episode disturbing complex funny comes board show quickly lots lots shouting substitute comedy fault problem writing bad give first disc three half second one hard watch hence two bought following favorably show development two favorite see almost similarity made two dislike show frankly maybe show gains hilarity line show hate first episode warrant find absolutely horrible people possible comedic flat end embarrassing pathetic almost way relate draw point one back know absolutely right looking development go watch office something series lame aside story nothing real life subject matter also lame somehow amused college aged told us funny series series one catch find humor one idea whole show went slowly first thinking us came home admitted get funny till comes scene first false advertising jacket face biggest guess character background better start maybe later series already love always sunny worked great complete however case cracked broken awful considering giving gift less desirable ended keeping non copy show plain dumb funny sad much comedy gone days fantastic like frasier everybody tool time like one dimensional stupid bad acting idiotic writing sleazy behavior supposed funny exactly personality unlikeable dumb juvenile infantile sleazy lack girl shallow personality female version theme juvenile cheap like one night banging getting quick cash without effort get even father season willing anything banging guy selling alcohol threatening people jihad terror cheating welfare system plus father supposed business ever screw like need maybe dont get crude funny irritating time dumb shouldnt bought show next nothing overseas access normal recommendation supposedly funny watched first season couple second could stomach kept waiting get interesting get enjoyable anything enjoyable either one pop never three act main top every scene hugely annoying people play absolutely zero redeemable might make forget consistent make worse plain stupid zero interest story show really awful die hard show right get appeal want last effort dealing dropping garbage set came fast sealed well disc inside broken around entire show people stupid want pimp slap reading review time waste show disappointment gave get get better nihilism rejection religious moral often belief life meaningless white privilege set societal white people benefit beyond commonly experienced people color social political economic intersection always sunny funny one self consciously bad acting like watching table read like completely apathetic life scene believability vaguely comedic banter already limited potential engaging lot like stella regard suppose could considered comedy troupe acting speaking slightly exaggerated voice call dude seemingly tribute slacker bill ted dude car otherwise much personality show definitive feature endearingly low production anything goes writing little use potential style generally content around news plot everyday life sheer character comparison unfounded next south park claim envelope pushing laughable end product basically expect got bunch alternative minded together gave one day per episode make season proviso none much natural charisma bought movie image sound quality horrible almost unwatchable show awesome nobody better sunny crew three seem decided create series response hot series original funny totally predictable clever situated somewhere else tried one sophomoric long word childish totally predictable annoying three social incredibly stupid offensive get attention made clear interested completely along way watched one episode watch second painful feel way felt couple mind stupid funny want stupid funny save money buy park thats show serious funny crazy yea boo full length version however full length version movie little quality movie terrible collector old western rarely seen quality bad audio scratchy one whole segment audio second two behind video almost actual picture also terrible quality lot dirt film cleaning done tiny picture middle big black screen see detail miss lot going want see movie would recommend waste money version purchase one since yet find unedited version available think version would better quality version also keep mind searching old movie company quite know offer several also full length experience movie think would get better waste money like two war nice home two old weird men president lonely watched seven worse one first early rip underneath dash hot wire car rip ignition lock unlock steering steer car second air would blowing ventilation mall gas would system scene little convincing least fan moving little air third gas suppose get gas whitter plant absorb piping nothing room way would make gas even pressure cannot magically transfer piping maybe star trek world series pretty tired acting writing worse every season jack around screaming get ridiculous fan watching hip although terrific season last handful subsequent resolution lame formulaic acting sill first rate final plot twist easy predict outcome away game way much air time president polar first lady disappointed enough scratch must watch list freezing go forward husband keep fighting still miss many love genre production always well done season waste time hard blame fine nature one day serial fatally flawed jack disaster alone stop must never resolved final th hour every trick book used prolong story keep jack alive ludicrous plot make watching often painful matter sure enjoy plot story needs make sense pleasurable season drive mad obviously lot care talent clever went making end day knew thrown away entire day watching smoke nothing watching found instant video disappointing available available since one highly mole discovered season crack decided heck sense security old counter terrorist agency point security clearance hack circumvent madcap ensue stuff daytime soap car better acting exception guy president enjoy getting beaten head simplistic character development next guy show unrelenting effort stupefy audience submission government sting goes awry get mole jail put work damn running time keep shouting jack maybe get president equal ludicrous aggravating even brought former height script new wrinkle power structure turmoil chief ass sneaky behind scene chicanery save day one criteria upper management inability handle low grade job stress get back without precious key card security college cafeteria would yo jack try shooting car racing away make copy tape put server immediately hell play conference room share truth wrap old gun trick season would better titled guy pretty good though goes crazy tea party time time recommend lot previously used plot found many hard swallow sneaking diplomatic flight character gun loaded trained person would take gun check bullet chamber many found writing sloppy returned home us disc missing unrealistic boring pitted super super criminal one jack enough save world new bond superman like invincible immortal even duck also passing beat tough believe end give king beat hope start plot little faster never seen many pole one show one week season tortured jack show used know whole thing drag forever entertainment machine see wow effects good thing say season boring character kim briefly ugh take making right hand man involved terrorism first lady clinically insane making think vice turns president yeah right thought first least another mole done every single season turns someone following right hand thought right thing either way stop exact plot still everyone respond anything understand choose different line awhile give star idea average far worst first watched boring daytime soap opera action drama like one feel free skip season wish days great lousy difficult stay awake one unrealistic plot another unfold whoever said show right wing totally except nose dead ringer case get kneel prayer chief staff like helicopter landed final episode waved crowd exactly way copter took white house last time black president wise honorable saintly totally virtuous white evil incarnate make real look like course one dare suggest want attack us nerve gas might completely taboo religion peace show right wing west wing first two season really falling firstly character growth whatsoever jack almost always screaming head also punching could work someone like government agency like way hell hired fired instant something like furthermore like happy like lone survivor submarine could left survive saw layout sub somehow check every room one list take long like bought season set problem shipped two disc disc kind want reorder want run problem anyone else received properly working set please post know worth spending another try return one aside rating based problem rate solid effort least far certainly better season better first many recognizable use prior make easy predict happen key still received item seller item shipped th days later still received learned selling couple seller cannot get mark item shipped anxious see post mark date item believe th keep review date item finally extremely unhappy seller never purchase also received two disc disc us take got replacement like season five felt like dragged ever boring season far one realistic willing suspend disbelief could get whole plot line recording president idea recording valuable piece evidence jack kept recover plain ridiculous jack recording hour secretary heller took make copy make ten plane play phone could make copy one copy even ridiculous final episode immediately new recording attorney general made realize load filler whole subplot recording based interesting idea program poorly written badly lead role particularly demonstration network mass production short ridiculous fodder one third plot dialogue interesting entertaining episode full form additional conflict within absurd plot barely competent hoarse whisper show anger tension frustration exhaustion stress occasionally stealth please review one star two star consider interestingly enough low star best written clue think script must written group low high school high powerful weed written plot believe series went eight exciting times either terribly written terrible acting tell like bad horror movie stop watching know good warning major spoiler bought got hooked fan watching season write review season agree season drama action one best season story line way far fetched think conspiracy magnitude ever happen white house especially us president somewhere middle season lost connection lawlessness indecency corruption fictional us government oval office like jack think done great job acting part hope whoever wrote give poor guy break invincible immortal something broke rib morning could still take escape hijack gain organize coup president point gun head manage flirt take wrong enjoy drama think realism good one guy everything even homeland security secret service dod might well president united favorite secret service pierce annoying kim general like season definitely enjoy season much previous used stick pure terrorism bit plausible addicted series right palmer middle east absurdness unrealistic ness hey reaction related deep thought look blink start say something look distance blink start say something look blink sister palmer physician president health take medically induced coma palmer doc repeatedly inject adrenaline loud care reason sure something later done caught saw jack going atmosphere nerve gas skin therefore needs full suit protection merely holding breath lost interest still cliff always find spite appealing big fan overlook silliness normally love short lot famous show wow throwback painful daughter really like show though go figure long slow rented instead version tube would better option watch incredible portrayal man community great plot dumb override section season sorry exception maybe nowhere go season season far new level new unlikable ever even really distorted character morris care potential become full character female head far one dimensional fiddle peter absolutely sickening watch scene making insulting shallow moment ever seen show expressed freshness show seen many plot nuclear threat presidential threat jack always guilty suspect oh god please let kim appear another subplot change tone time fine casino royale series think bill pierce really almost every character except jack either leaves flat angry new yorker depth article awhile ago political ideology neo con really surfacing run election really writing palmer sister bleeding heart ever seen straight show expressed rose really evident hope involved show examining military production company show torture problematic armed try distance fantasy media shaping reality image start gnaw audience member know let get starting war wasting hundred day show rhetoric relentlessly show tipping point culturally unless reinvent put ahead jingoism time end beautiful dream grow spoiled starting watching season watched first season huge difference bad clever little way blockbuster action season also jack wife whiner hell daughter nothing special old cliche wife daughter help worst nothing intelligent funny sad attempt humor catch exciting new series decided try revolutionary program unbox selected first hit purchase later watching first episode came quickly great wonderful however second one missing end whole starting incomplete missing video making incredibly disappointing good concept unfortunately yet verify audio picture quality issue fixed paying try season complete difficult parent child review mostly based price entirely movie year old daughter watched thought fine far tell one star rating price minute movie think entire thing shot day one location low low production quality fine think priced appropriately less rating might daughter would probably give pretty cute little even acting time best still cute watch little incredibly painful unbox player video g rated version basic cable nudity blurred language think would unedited version since paying want see g rated version show good sorry aggravating pay something stated basic cable version comedy central racist good racist black guy right wrong insightful bring anything clever new table living kind considered tasteless stupid past segment us fact white pay attention accent material thinly veiled conservative propaganda right dude fake poser last minute second rate replacement true comic genius murphy please stop funny sincerely every human least equal typical year old seem come short see carbon creek anywhere first season discount enterprise great show time seem justice product listing unbox said deliver quality look like quality seriously even good plain old standard would pretty much fun look screen everything soft fuzzy tonal scale limited know quality arbitrary standard p x make even less enjoyable product excruciating pace ready watch like three occasional burst data generally around ordered eight minute ago still last one impressive love walker ranger season episode filled absurd plot worst acting offer enjoy used love show watching time struck sometimes bother appealing still really like dean think watch sign away regret least informed cannot believe good service given continue give get wrong think great company deserve successful think need rethink strategy would give minus could stick hard copy several via unbox never every episode promptly naturally assumed would disappointed offering found episode starting watch guess come first disappointed movie poorly convincing like cheap b rated guess would waste money full watching went black idea happening know like get instant video left hanging rating alpha film alpha video edition western uncut picture quality bad hard enjoy large annoying watermark upper right corner occasionally comparison sinister cinema r derived better sharper source also uncut much happier sinister cinema edition alpha video following lead public domain added movie unacceptable pay theatrical movie want film alpha video transfer film good way ruin movie complete series purchase canada play country region crap disappointed item complete series series would longer character librarian worked public library boring full possible imagine plus used bookstore ago high show seen take long change view second episode show understand comedy fictional downfall second episode work employed work would five employee sure actually employed sell ample talent beyond ample box producer got knife instead casting first place times true comedy show rear dodo teeth shame sane thing kept watching show would rubbish bin second episode anyway could get last episode fast enough could put box seen next people may think weird saying show funny found watching grass grow less boring maybe less sex pot convert book seller show may half chance survive knife found show boring first chance producer could get away centered bookstore whole idea show another boring pair maybe show whole world know give show single star cast perfectly roll really mediocre best grandeur carried pinnacle humor went bookstore like one seen going show would thought twilight zone big time pity roll take last three oh series centered around would comedy one least dream show formed good stunning fun light however funny enough really hard overall weak sometimes witty seen movie several times one quality terrible sending back unwatchable stop selling product company dissatisfied quality good complete version several original version clearly entire movie considering glad better football ordered movie almost two ago still received told vendor checked order even record order lost boot buyer beware item remember old drive flick joe favorite football player mine combined ann see never great film begin version dark contrast something fact cut bad film barely made sense weak story begin joe gang hit something pretty never see hit anyone got film collect youth watching grown laugh easily film c top rattling inside case somehow still without problem watching decided send back play husband happy get disappointed play long time fan joe seen original version find movie available however missing dialogue distinctly remember two times used word lay laid missing version infamous love scene ann clips love scene see dancing still cut love scene made known description product would bought far quality recording feel someone version transferred disappointing say least fan cheesy low budget truly unwatchable film transfer one worst ever seen color bleached beyond belief overall quality one worst ever seen save money regret purchase like goodwill pile barely watchable work art capitalize extraordinary popularity joe height fame acting optional would done better job watch wince stay away one video transfer plus nudity scene total play time min per listing hi worst quality ever seen dont waste money buy version guess way better stay away version movie cheaply onto would play high quality player would play cheap version always picture joe great actor opinion ann always favorite sex symbol sure quality picture poor like home move shot someone could enhance find missing number cut film almost like manufacturer set video camera front television version many initial dark see got movie friend say copy pretty bad love movie movie joe zenith win made household word ann fixture saw movie drive snuck girl blanket beer pinched grandpa movie everything hot violence cheesy truly great b picture everything make movie like today joe chopped dirt fun fun fun girl away summer funny still mind movie cut short opinion best movie removed tell u information really thought demise video would offer better quality transfer making quality product horrendous faded colors blurry times even worth shelled film sexy performance ann buy performance great song today better yet rent first worse average bootleg copy disappointed like copied bad tape remember seeing movie first came although great movie still fun watch time think love scene missing joe ann also may mistaken better quality review would much better one star rating release film film continue watching shoddy transfer film wait get hold good transfer review rating strictly shameless brazen disc release put thought sinister cinema bad worse first running time list even close also actually gall superimpose company print film beginning end presentation um hey transfer poor image quality ownership particular print like really anyway film least supposed film complete running time know print quality settle complete version movie one bad bone classic wish bought one instead piece crap wish read bought saw movie first came local drive outdoor movie saw big mistake picture sound quality terrible movie heavily definite rip stay away bad movie reason bought worked flick running film commission movie received credit location scout actually working state lo deben always tha thing get wait version mal la hoy la di en season missing disc included season finale everything else worked except get see last season three first time ordered movie able watch since know computer received watching disc would work tried different play station still work happy disk working bought gift mother disk three bought work return item return anything hopefully seller send new season disk great show second time new happy purchase season standard always see notification even get might grade terrible fix provision immediate change unless repurchase entire season care rule love show actually make effort watch said unbox format like communism good theory apart practice went whole lot effort unbox program install register begin hour one episode connection program ready watch still another half hour actually try watch ready watch end audio video like ate bad patiently wait hour first two bought second episode choice pause option merely cancel option unfortunately already episode worthless pleasure fact even still unable watch appropriate sound video quality bit processor gig ram running love love idea individual since idea behind unbox immediate gratification desperately need make format order live promise fan living area behind available series sold missing like many unbox think dumb would buy series missing sense make disappointment service bought whim probably due low threshold pain first state degree assumed would similar style level acting however case style roughly actually buffy c aka aka year old superhuman salt water old guard guide teach accustomed new lot life friendly bar keeper friend c ever story c step father part coast guard slight role show show set like watch trim ladies romping around comic centric story show every weird thing c know millions lost triangle acting flat although pretty common get comfortable new skin varied strength sometimes strong sometimes overall think would watch series ever extended recommend take spin pilot see negative mean green arrow bit confused poster fan beginning miss something original bought first third season instant turned actual first season show guess could rate zero would later version disappointing really read description web make sure buy happy cannot get return digital digital purchase happy going watching please fix issue process season grew stated season felt uncomfortable decided would good story line shaggy firebrand kissing way top old research purchase fan later lower review series show blanket series ran original ran show hour star different format original show either piss mind get price one big presence subject order keeping holiday special keeping special episode one ordered one regular episode thanks hope get one ordered tell typically refund digital somehow fault selected episode willing pay something else play provide credit aware clearly rush correct issue clearly experience large part movie great car chase lot read novel based might able sit otherwise might tough watch remember b first came great series desert unimaginative fi feature short lived split image back times trying old old charisma simply longer subject matter lame irrelevant even boring though enjoy different age different audience b best left relic become purchase sure place evolution genre stand testament time g game town compressed originally done thus jerky highly unnatural incomprehensible decision made series botched big fan quality bad compression wise transferred inappropriately give two less shame distributor short scam even series properly done get rip hate probably enjoy documentary negative cat come vicious predatory nature need shown cruel single world must stopped may read think surely exaggerating documentary chose less blunt way phrasing clear message film evidence premise show us cat topped survey prolific regale show poor bloody brought home saving plastic even want guess home smelled like open plastic pantry week old present wholesale slaughter small defenseless imply typical fact admission particular cat far competition survey typical later film show us footage cat skinned cat bore striking resemblance enjoy thank anyway trying discredit negative impact could legitimately nobody yet declared mice small species around documentary preachy something could look past find also quite hypocritical passionate species need protect nature found little respect simple survival adaptation want stop evolution good present preview something cat species enjoy mice small may cheer aloud though know year doc made tell awhile back feel saw doc puberty people love truly enjoy seeing still afraid innocence species lack show animal eats call fossa show reptile tree bark island apparently lot underground addition lush life thing important yell loud clear cause awful rapid decline still thought said one two times many doc may much downer many rented video unbox service content like made boring graphics little educational content unbox experience also less smooth bought individual one decided buy whole season given pro rated discount full season already another major gripe episode long therefore cut major originally show getting content less example episode black squad sang bridge remix scene totally rip epic still good show though working list actually available would watch hard find used television none run show simply first time saw last show could watch would love every show since available settle problem purchase audio sync video little lot set bar low make one history interesting architecture show produced moron level three season one far season end stopped tried play season outcome tried three times season stopped place time tried two however got see great show provide adequate overview much minor versus major show map barcelona north eastern part say barcelona southern wonder incorrect brown episode awesome however bought use however want thought video would awful video normal birth life threatening event notion incapable without medical intervention bought thinking would series dependence medicine presence normal life event really get everyone one peter would save based experience fi around time original instance thought would enjoy vintage sorely disappointed good acting part mediocre performance brought whole experience beware quite small number doctor available rental missing terrible experience viewer distinct sense customer season death missing season ark space missing part season missing part season missing part final part especially easy rent one without realizing incomplete season vengeance missing part available rendering useless unless course happen like paying money incomplete case love quirky little collection put together know genre choice turn waste time fun see original old production technology much since enjoy used watch could get atmospheric right antenna turned right direction get one station would show double feature dark fascinating see much treat made see first episode give good overall review seem look show historical context time definitely favorite recently seen new series doctor certain watching black white bed early morning old version show gave inspiration go back check adult eye although four one story first season enough see conclusion least first doctor waste time doctor haphazardly going situation knowledge anything stumbling much like maybe spoiled look doctor supposed new show believe doctor know version doctor dumb actually annoy show small run much clearer new series like cannot change certain time overall say save headache realizing doctor simply prototype see fully come expect doctor show whole personal poor acting poor story simple taste easy sleep much interesting plot kind seem interfering culture far much love doctor quality video first season terrible nobody really blame simply picture quality available time fan really watch first season found poor quality made unwatchable edit fan show find saddening people marking review unhelpful poor picture quality people need put personal aside take honest review tried play like able play connection connect thought instant video would thought ending prime membership saw classic one collection however one episode season available free prime point disappointed angry advertise whole season available provide fifth season add insult injury even pilot season regeneration famous baker happy amazing show goodness sake finish taste really like love new incarnation series though sat daughter show favorite doctor thought made mistake ark space first baker episode luck prime get couple prime mostly thought could get classic needs make clear one needs purchase get excellent season cannot recommend highly enough however missing literally season arguable best story time genesis incredibly callous oversight corrected immediately sooner reason lately sound quality way doctor streaming making hard watch show end listening used love baker bad story line show limited watch show could finish leaden parable television popular grim bit work unleavened creativity fair bit sadism doctor particularly clever witted man might untangled situation willed one might doctor story wrapped ex around poor effort kind painful watch want fill refresh knowledge doctor go much scientific thought lot silly running around whole series trivial approach science fiction first sixteen season expect entire season last ten episode doctor good episode love get enough around world unite watch regret film based true story question mystery significant revealed want spend almost watching police detective watching self clairvoyant movie police detective trying decide self clairvoyant psychic sense word actually able see one else attempt solve murder naive enough buy might find film engaging realistic comes across silly slightly boring done fantastic sense real world almost drama sense work clairvoyant silly falling ground whenever vision get old far film end meaningless bought based review another site strong word mouth fell obscurity forgotten gem reality forgotten reason many series unbox one incomplete worse one episode make sense much difference session good lead part old old much commercialism teaching learning fun nice watch entertainment bought mistake watched big deal went away last see special never never love unfortunately discovery channel want know every single one set season box set bought together thinking overlap sorely disappointed opening late send back season take back exact plus whole bunch season set favor save money getting season want revisit previous get similar might well skip third season sold season season comprised terribly misleading buy see season thing covered episode actually exist serious plan build interested watching clips computer animation go ahead buy even finish sky city like pitch get extreme engineering people free prime guess never since pay thanks nothing good point teaching commercialism actual teaching learning make fun watch missing essential would like show family section part first episode hear language think family category star rating gave strictly unbox rental abruptly yes product description movie long concur however movie yet brilliant first movie get big payoff ending watching unbox rental still given currently movie print either format better zero wait buy movie hard copy becomes available three available unaware th episode ending left disgusted figured spent money time series even end careful purchase anything fun story little dull candy style writing p n f u l l slow understand target audience young demand also stupid two year old assumed could watch home player computer getting month old grand daughter guess blue sure whoof whoof love grandson blue first episode season find transferred watch far concerned instant video major rip grand daughter think probably inane show ever seen encouraging find something like made mind predictable ultimately dog end owner goes tan identity crisis sad stuff like see galaxy tab pay understand made got bit psychology behind pretty painful anyone watch even year old really thankfully went dinosaur train instead one click button directly watch free prime real low blow min video long love blue prime son old back video adorable think worth try keep intend video seem find help return undo video purchase buy season know order would like request cancelation order thanks unless unclear video worked certain ended wasting money last month first time daughter saw version past saw version version pronunciation pretty bad live husband transferred work two ago husband home speak really like learn correct pronunciation good option story magic stick bilingual cartoon small hardly anything way much magic stick video never loaded yr old happy went strawberry shortcake instead think everyone explorer sit want listen map annoying trek find whatever looking place trying get every episode insert map musical composition something know watch show turn one annoying repetitive crazy wish would go air saw hatred spite tongue devil happen know damnation young show ploy attention heart watch show antichrist god church start damn monkey show highly repetitive obnoxiously annoying watch recommend sheep entertaining gave star find annoying get review request watch something prime streaming thank god otherwise would get per day joke year old reason hopefully much longer one big commercial sell along world rest would refer show parent b cause else well help ur child become bilingual get really excited try get interact show definitely contribute growing stupidity culture great kept five year old year old interested three let start saying fan first episode first season understood get go going intricate character driven tour de force vein breaking bad wire super early season hit right diving typical man girl case versus self archetype took step deep symbolism otherwise straightforward episode boots search big red rooster subtle nod paranoia still subconscious baby boomer took step turning lens inward us see inner title character finding way world metaphorically literally like map obviously symbolic one consciousness superego strong statement human memory particularly scarred psyche anxious see direction show creative team going take us blown away season finale call cast everything knew true doubt doubt course subplot boot heroin addiction well established seen first villain benny become midway point season two anyone second season took us completely new direction time explore idea contemporary political signpost like big storm missing piece forced viewer confront prejudicial arc big grumpy troll comes innate sexual orientation despite conservative overbearing matriarch series still knew fun showing swiper hilarious smuggle cartel pay gambling loss excited season three admit high would manage clean many compelling going happen mother unwanted pregnancy mentally unstable would boots shake involved blueberry previously stated would explain away apparent death resurrection king show always grounded gritty reality unfortunately know painted corner first two spectacular instead providing satisfying resolution instead put hold via pirate adventure debacle surely finale one disappointing half television ever even worse rather continue already come know love show audacity simply inject new sad attempt broaden demographic appeal please like ex stay series season four resolution central series god knowable suffering gift hold high honestly show lost much intellectual integrity may well formulaic show completely devoid anything true art little used despise watching program hate every episode course repetitive know nursery television cartoon educational entertaining series little bear little bill educate without continuously predictable even three year old child small child understood whether fourth wall breaking cartoon character going find answer anyway grow tedious waiting every little scene knew expect previous next boring repetitive scene appear bring closer conclusion episode know many little realize figure endless supply obvious soon blue arrow landmark along path watch also thought ugly mean teach time mind showing goes black screen shortly screening waste money never unboxed good quality even bother buy got mistake trying cancel order know please help old sessions free old none new free would better provide new sessions prime free always old want watch said included prime price shown got cool way contact found try review watch bait switch found dull unexciting graphics sure probably country legally bought could daughter could watch available however let kindle fire pointless hook known better probably still happy sure different would give higher rating year old granddaughter game kindle fire somehow went move section bought without knowledge movie really want oh well learned important lesson blue season blue big pajama party time ago extremely disappointed audio several daughter never problem however blue audio low everything else room order hear checked return policy learned return refund given unfair product defective problem kindle technical assistance solve issue thinking one bad video yesterday another blue video season blue room low behold audio terrible well even though cost piece still money lost paying money deserve receive fully functional product really needs revisit return policy especially defect due fault consumer across description film back thought miss one jack warden san never seen even well turns good reason supposed funny breezy film actually dull joyless moreover wretched cacophonous tune also boring pointless film challenge watch much talent return little almost one tried hard easily worst performance seen hand quite good however curious based upon involved bother daughter movie said funny movie made chuckle time really like movie another reason took advise horrible little cheesy anyone would stay interested younger generation used able watch free want purchase episode star put simply favorite fi series final season good ending worst ever husband one prime account constantly get rate title rating think show really hate name however trying get rest collection far new shrink wrap tamper resistant band top show wear set season disk volume like floor scraped greasy id hardly call new disk volume like binder also thankfully none season set file corruption keep set go back brick mortar media needs season set ordered every disk like also binder mention one episode play computer disk corruption file new really quest part missing get together enough fail hurry fix great series deserved better final season many filler inconsequential last episode time dilation episode really count great fondness every episode much imagination keep affinity killing illogical plot fan ten wish would spent season ten consequence good evening really disappointed see th century fox lying company arrear box set wrote language really great bought dark angel season pretender season shame scandalous fortunately case first time case immediately apart near spine disc trouble reading two morose way end fun series always said ever taking show seriously would come bad end right like ending season sense humor fact commit mass suicide going spring tragedy poor show sense humor else watch show everyone within three speak st century oblivion without sense fulfillment shame maybe season going rather buy two season pick zero finished watching season disappointed final season lack creative writing salvation series perhaps last two season original well thought full drive die giving ship great technology technology ship take couple prior ship please talking ship able perform much better get stuck time field like gave trying make logical fresh bad least want see season guess something got worse season season col jack left program black ridiculous annoying gate always shoot em bang bang however last two good descending unnecessary murder torture service however star perhaps one best ever season season disappointment upon bomb understood series fi really reason loll back slapping teary eyed moping excellent continued season oh see course going follow maintain continuity excuse think continuity got lost fish jack pond sure would great northern wasnt able play player would buy player see please way save season either cloud drive cloud player every time want watch episode season constant episode trying watch really able sit back enjoy season way refund money version season sent would really appreciate gesture really disappointed understand requirement computer however problem bit rate per second deal currently contrary say technically advanced nation run smoothly would like better way like say purchase season one hard drive without instant video sorry said surely final year series felt totally run everyone commitment finish year filled show card bizarre silliness guess least way cast fun lame final episode absolutely ridiculous inconclusive could even launch disrespectful way end otherwise primarily one best ensemble series time time finished year husband sleeping finding little interest insufficiently compelling even watch avid fan also fell asleep sad never received title seller know good contact seller twice sure purchase contact name went ended ignore second paragraph volume post tenth season opinion series bought set complete collection season well end season cliff hanger left waiting anxiously season unfortunately much like last two x capitalize available instead season basically filler well aware last season sleep walking well worn even mix humour series season fell flat one worst could ever imagine threat mid season sad end great series extremely season series entire final included known advance would never season package someone really made bad mistake season deficient season season disc make season complete would appreciate response review thanks watching episode thinking extend field hull fly away needless say never well least done series bad thought would shining ten handful give glimpse series could bad show ten oh well episode one basically pointless many none used guide story useless path story happen one episode pretty dull huge fan thought season bombed especially finale would use colorful word waiting tie later cop glad see show end given way handled th season good bye top notch adventure lost bit steam tenth season reason left pretty important element still quality show half team sent bizarre message probably worth getting though good went opposed thin running fi show doctor go continuously one time month hiatus total classic series whole thankfully world book corrected recently us really count fairly sure even longer fairly certain even one make stand end goofiness heck new series whop alone popular anything already production th season fear still great run great show seriously ray elsewhere pass offering film v novel happily brutal bleak without artistry cold hearted life piece amorality cinematic form whose possess character fault barely resemble human mug way anti dramatic banal dialogue ever production excuse making film like make pure unadulterated evil look hip cool therefore falsely exciting make traitorous look interesting well one way among sprinkle dialogue casual blissfully ignorant racist welfare sub standard living course purpose selfish furtive low life even though may bone headed routinely botch little least n us courage question debatable validity please read article time magazine welfare white secret research case disagree another way make death life appear dramatically compelling get creative visually case recording action long slow reminiscent de saturate film stock color drained nature footage look though completely understand production value routinely employed times successfully make appear realistic make film detached unfeeling experience though said life miserable misery company let make nature look way feel one brief scene film possibility joy life lovingly sweet matronly wife kitchen whether dutiful attendance lowly domestic non selfless acceptance legal clear suddenly amorous gesture loving strong girlish satisfaction urgency forgivably timed carnal need may reflect life various reflection useful constructive focus exclusively death man made death begin tell universal stuff works service episode play correctly first color disable ability adjust brightness contrast hello affect color episode play sure episode great awesome service waste time money unbox needs fix video application unable run ram completely memory locking computer ordered season unable even one episode customer support sent computer specification already included specs met minimum stay away unbox tried play every checked usage never problem computer discourage anyone everyone know use source unless full refund within business days bought first episode season video version season resolved might even buy quality video quite poor lighting even odd often quite focus may problem instant play think wait technology bit perfected spend money unbox ordered within week able two stuck space available space still drive previous awesome good quality unbox application responsive ever since get steady got throughput covered need work consistency delivery never problem anyways sure great like tao rodney wish unbox would deliver digital goods well physical low lack satisfaction service much show two tied together enjoyment content basic premise episode great explanation emergency situation non linear structure constant repetition annoying wow see ending coming normally would good thing ending episode made lose interest show found make right later received week let sit getting ready view instead three third season two one case first season collection well thought maybe son mixed found case shipped case two reviewer said file missing last hope get fixed issue missing nearly half episode would give higher rating knew missing footage remember really crawling hand idle basically type movie much much embarrassingly bad really even bother explain whole silly concept corporeal murderous hand rampage normally need lot background case simply hand somehow possessed without rogue hand causing mischief even finding hand return traditional animated murderous hand rampage theme works much better constant battle control right hand long attached arm far rest explanation goes druidic priestess fox trying find destroy hand midnight druid time time hand take soul opinion story even begin work little bit comedy always funny seth mick buddy two along triumvirate lazy pot smoking teens type victim said hand prey upon probably part film reappearance undead mick head around time staircase heaven said far walk decided stay earth bright spot film reason see alba somewhat amazed see facial would later display role incredibly good series dark angel idle stupid horror inspiring stupid even funny part usually love case would say fellow idle really give us much story film idle hopefully end cycle horror scream satire slasher like movie business one brought weight many cheap derivative finally matter movie category good people buy ironically next big cycle summer another albeit sophisticated serious horror genre psychological horror ghost story blair witch project sixth sense idle handicapped neither one best one worst scream cycle well enough time time young retire bed go see ominous message written ceiling hell loose sequence like twisted situation comedy next morning wakes oblivious fact gone missing oblivious almost everything except sex rock roll two best mick seth green day progress becomes apparent one taken mind become homicidal movie show boy deranged hand fighting control like physical actor idle homage many old uncontrollable hand peter character movie name opening tribute dance scene straight ghostly like werewolf one problem idle nowhere near good bigger problem every character self centered stupid writer director understand even movie horror satire audience cannot relate character interest quickly one morning night trying make girl next door laugh idiot really care say clever movie say audience involvement remains superficial one leaves impact forgotten next day depending either enjoy film think rather stupid insipid happen fall latter category although believe good particular audience teens feel writing story although trying hard still horror element resulting graphic gore element mixed botched comedy like half baked support dope smoking although interpretation reason two friend end dead possessed hand lazy going life yet still smoke end end good marijuana main character name figured nod founder modern day satanic church explanation given two come back dead want go toward light scene reminiscent night living dead come ground providing gross humour like horror genre spoof actual example nudity two decide fornicate dressed kiss bad movie teen age genre pointless bad script like seth green however one movie refusal take seriously b flick video single item broken three part series think producer seller trying overcharge take look image box see high quality production video waste time money first base workout five devoted first base production quality cheesy amateurish waste far much running time long transitional graphics section guess actual content nonsense plenty better baseball instructional bother one positive prison break old news warn thinking show big fan break day exciting different action relentless sometimes got tedious kept coming back every episode continued season problem season added one disgusting twist many much time money show edgy factor far one many main shocking betrayal trust show seriously regret time money way series good outcome direction gone season recommendation save money selling cheap reason watch spoiler alert free never free watch last episode season get keep looking something else watch instead show link entry go read article better watching snail like story line watch even bought rented disappointing see coming prison break favorite show ecstatic buy season two came today incredibly disappointed seller definitely inform buyer originally casing received plastic covering upset someone tell took year get thing third season us first part season looking forward getting set patch together transition big break season sophomore slump work season something going season filled lame happenstance time could figure take prison confidence successful risk taking strategic thinking working well outside someone mahone finally wall wall mike might meaning find parlor handiwork take would mike let story line beginning season mahone following along trying decipher meaning watched first season ahead stop lame late late lame late like season would useful bridge story line someone convince wrong would like wrong good quit watching half way set due boredom irritatingly inconsistent story lame character never ending big big disappointment good potential season high point high point terrific booth psychiatrist enjoy show complete season cover understand episode shown network reason ever leave complete set doubt fox day release new complete set simply make money feel like fox ordered item around st money taken account waiting waiting arrive th got notification account item coming explanation seller money since first item suddenly coming known could gotten day thanksgiving lower price since already ordered waiting come bad experience give one star able write review set lot work one works constantly unwatchable absolute garbage see never received order process trying get refund point would like send order second season would great company order twice never thank good look thing say show absolutely season season season truly disappointing season touchy sully booth jack thought series chick series like sex city everyone series relationship except zac may season enough keep tuned interaction humor fun development various season second seat also transparent soon almost every episode final note thought foolishness last episode jack running especially dad top leave gig totally stupid like dad going walk child isle stay another like rock arent alway time frankly havent seen top listed concert havent even become like journey ie play county anyway foolish silly ridiculous season ender real disappointment great series hope get rid touchy female next year get past dialogue silly romance two minor thats hard drawn irritating interpersonal secondary season two season one disappointed season season got one six six disc season wouldnt get six got happy ill think twice another season disc package play play picture clear tried cleaning disc help also tried disc player assure player fine ordered season two received yet today would nice box six name needs stop social idiot becoming thought getting new video came new one instead received used one package used fingerprint scratches disc around edged rough coloring went see return item let select return return open cannot returned know used open disappointed season episode despite listed actually season episode much within video opening reason episode episode list twice entry could possibly real episode though seen free prime would require rental fee view unwilling part imagine sort clerical error rather conspiracy make people pay watch episode old rest free prime still rather unfortunate far rating goes star rating particular item duplicate episode rating indicative show whole rather enjoy episode even well merely unsatisfied season effectively missing episode watched season completely skip around part one episode part another hope problem great nostalgia show season episode despite listed actually duplicate season episode far rating goes star rating particular item duplicate episode rating indicative show whole rather enjoy episode even well merely unsatisfied season effectively missing episode actually missing since listed well come better instant video different together great show topic match see waste time acting writing visual effects childish example scientist bar patron bartender patron pilot shot scientist table second sentence unexplainable given phone girl friend begging break example scientist credential gate secure military base holding guard really scientist go hanger examine verify seeing pilot go hospital admitted without access hunh predictable believable due poor acting effects poor never enough background information stopped watching fourth episode nothing awful nothing special either predictable poor special effects uneven acting produce less satisfying product bad acting great script make desperation entertainment selection ending also one dumb hopeless defeatist kind grown dislike many brit solution winning battle need nuke deprive food source like low budget story line wish would better special effects staging old technology slow moving sorry worth trouble old stuff first episode could hook far sophomoric design dialogue action get story could believe background ongoing story stay know thing average review three maybe two would unreasonable see anything actually watched first two one night enjoyment though without bad watched one next night following night get episode sure got worse whether cumulative effect badness got may though care usually would thing bad spoilable avoid plot somewhat interesting goes two alien species except one good across universe suddenly suicide getting taken bad want part earth get series see presumably supposed season one naturally fortunately dark place heroine alien transformation stopped seem winning unbeatable acting terrible terrible necessarily entirely script horrible people ridiculous deliver constantly really way know move plot forward people act without apparent motivation behave ways plausible military people much believe good thing nice humor sex little plot make much sense terrible acting terrible thought supposed better always count something deep actually great deal better also terrible show done older relate like gross alien testing like invasion care watch grow high series however apparent real quick even take self seriously expect days back mid guess luck badly would watching want want gouge special effects basic bad poor acting overly dramatic story line shallow entertaining basically boring series anybody know usually like one left flat wanting see good start story well done mid end knew would watch special effects good get around story line compelling acting good sadly got invasion earth story idea interesting well executed inter dimensional something dimension real way fight stop end story get six nonsense nowhere interesting plot original special effects well done lost interest end first episode watched usually good job good production casting story however case proved waste ashamed put important happen apparent reason watcher left scratching head wondering point general miscast believable lots computer never seem work ending title good acting plot slow drawn good idea enough follow video host video jerk talking video ran different craps comes could quick would seen real game play put test sample recommend video read book get much one amateurish awkward instructional ever seen host rude condescending audience telling us world best gambler everyone else ill ease whole time looking around disinterested supposed saying great casino evidently part deal film even find casino keep dealer pretty embarrassed whole thing addition unorganized picture blackjack also established mathematically proven basic strategy voodoo system instead problem someone different take strategy video strategy left field never name calling review since guy freely say want learn play blackjack recommend video video teach anything buy nothing learning surf even gall insert video advertisement something vasa right middle least couple belt consider another video advanced type video would great soon extract brewer first time partial mash brewer several seeking ways improve grain brewing video fully support type production encourage new great hobby think video poorly titled much better video little brief basic style formation sort could read despite coaching title virtually nothing video showing coach teach formation make worse filler end already short video covering corner nothing waste money old quite basic standard information get brewing manual source nothing advanced waste money rip drain nothing novel wont find free back show never really payed much attention recently kudos first show know feature tattoo tattooing real people share tattoo however kudos end point negative series shop full sure lot drama lot time shop owner ami chef hell kitchen chopper bad day see airhead watch along drivel call reality honesty sure good artist pick ink work strike people work well together neither seem real appealing met cool time seem like could put single shop show probably better ink wait la ink every artist featured far appealing little drama shop guy oh irony excited found survivor right bought season watched loaded even final read episode waste min recap reunion would read description closer annoying major survivor curious would charge content free official survivor yeah site sit worth extra racist season pro segregation boring cast likable people penner buy watch stay away quality streaming video season poor entire season episode feel finish season streaming anything without quality one judge quality video sold reason bought entire without testing find entire season cook auction say boring boring boring even watch whole thing one worst series either wooden top know anyone would love show franchise pretty cheesy kraft mac cheese version since show expect always leave right piece evidence could showcase new designed figure crime new acting taking tilting head sideways seen subtlety captain kirk raging egomaniac needs character always save day example one episode bomb car police custody four enough time disarm car several city traffic way deserted beach car time adjust slowly away car burn baby burn wow making high school write lazy hackneyed script another time next murder victim bedridden hospital patient instead calling hospital security backup way across city could catch vicious serial murderer slowly choking victim particularly creepy incessant need show good certainly every single lab tech straight model runaway amazing amount knowledge found trace obscure chemical one one construction company chemical hobby keeping track used every construction company city sanctimonious speech given one main know better everybody else character man selling racing recklessly killing hello man high end tire shop like selling business sell speech given moral high horse character gambling problem anger control fired lying linked murder suspect used favorite show jump shark th season utterly ridiculous plot example season really shark oblivion overly produced camera work humanity key cheesy writing bad maudlin taken vibrant spin great franchise made caricature stop fancy foot work bring back original grounded flavor please read jimmy review one star one even considering watching series huge fan series since creation worst one far insulting intelligence credibility turning unbearable white knight born save world hardly ever looking evidence lab understand personal opposite much personal boring cannot believe series watched world las wire last series waking dead far much enjoyable hate easy get told use parental block know block gaming great watching even show minute network however come world ripping yes pay min yogi bear believe charge old even air would say fed right unable enjoy contain severe hearing loss purchase use enjoy without cannot use love however first disc season would play read bad disc several yet purchase wouldnt able tell product honestly say service shocking due come th present yet arrive must second several season order one disc missing en ultima vino ni ni al saber si en en con al yo hay la de para de n en plan series estado un solo en antes pod series en el order closed series read description first thing closed husband deaf really needs follow action love series disappointing geared nice evening watching season three closed go next season follow story disappointed check see closed season return one one look forward reply thank love season especially one driven vehicle cast work well team quite upset purchase season avid fan maddening find one watch mention return careful make sure returned excellent show tony two sometime near future one day set mark holly early work producer one say fun soap opera decided oblige explanation think train wreck season darn near shark besides central conceit season four director strange obsession arms dealer known even face la frog cringe pun problematically take man gender account willing suspension disbelief beyond breaking director tony behind supervisor back pointlessly thin cover one syllable away true identity woo frog daughter despite born cannot seem pronounce name hint female rhyme conceivable jurisdiction navy investigative body would sandbox never teasingly revealed long seen coming rationale would real life stuff congressional serious jail time ridiculously tony falling target mission definition inexplicably cool director obligingly sexual relationship even place together long tony really love girl logical cover much left imagination simply wished away plot see move along meanwhile story came watch constantly put hold scene saccharine scene tony mind numbingly predictable romance thrust tony conquer commitment right woman transform frat boy model domesticity breath remains unbated could easily offset otherwise compelling inventive previous busy insulting intelligence muster real suspense help flat portrayal lobotomy scar holly curious ability underact time save money skip straight season five one worth live allow service open love little disappointed casing box set season bent good condition came new original case got bent really tried able outsided united wait watch shame dot let send yer headquarters absolutely love c extremely disappointed seller product supposed new got mail sleeve cut open holder cracked broken play player item well bubble wrapped like think possible could gotten broke shipping process anything either never problem like past describe product new expect receive chance product working coming broken would used section want replacement full refund series good ever quality jewel quality took first time plastic broke different completely series star casing right gate season premiere first fail built kill far last season premiere get commentary albeit half fashion built kill part episode airing last st th showing great common sense commentary part part mystery episode special feature equaling redundancy something done spin toe memorable deceased morgue told story victim final days also tour lab morgue told victim met end toe also great musical score commentary warranted like built kill went half ass hear centered episode commentary writer lee director lewis show bring eric actor pivotal episode commentary even though case would carry season post part miniature killer penny garden home fighting save reputation brought panel killing nothing living legend redundancy built kill commentary special feature commentary director artist wondering episode big name notice roger mobster roger lead singer band whose biggest theme entire franchise commentary interview nothing yes may used considering used get away killing rather reasonable leaving las sabbatical tying loose episode part know package sent left desk unopened get later fourth time season big name actor got attention first built kill loco living legend c never never commentary single episode nothing first sweet jane last law gravity latter along meat market central regarding past new jersey trend key actor brought commentary law gravity also episode worked case idiocy related comment sweet jane big name actor killer commentary get monster box finally package sitting desk sabbatical miniature part monster box also uncredited writing season exclusive scribe petrie miniature unique miniature impending murder killing undercover cop posing would latest victim nothing empty another big name ruby dee icon civil activist center honoree grandmother episode killer shield time show cable empty part first appearance cameo janitor established access big name commentary notice nothing big return method man since poppin season like episode written also like previous outing commentary method man also part getting involved intertwining nothing ending happy episode built gallows humor prostitution last acting role legendary n alone deserved notice also special guest star peter jerry film vet bad company bad ending happy brilliant episode cleverly written directed guest also c legacy son directed c new york season episode trapped another big name actor c genetically related franchise crew nothing episode along season cannon written directed shooting episode disc get commentary big name special guest star brat packer ally good bad lady heather back first time worked lady heather case first lady heather episode still secret romance lady heather daughter case brought commentary nothing finally season finale living doll actor season main villain brought commentary n commentary writer director fink collins commentary interview f king stupid stupid bring actor killer dominated season collins commentary living doll lengthy interview special lord far dumb coming back inconsistent commentary enough commentary half hearted special big name getting focus whatsoever matter ruby dee born c big get worse older show tried mac work used better going went watch episode could hear computer way sound manager find pathetic especially video watching clips video better quality expose aware considering foreign site done thank ordered season help fix mistake thank would really appreciate help long time gilbert half season would onto two different home forced computer problem needs fixed service although great idea took cable pay additional month ultra high speed service think many ways improve interface however right trying want bash head wall great idea however needs much improvement never watched film buy thought instead given access watch film computer screen infamous whole truth another example found going receive anything showing small computer screen transaction immediately told company clear presentation people would know getting course done nothing barrage would rate purchase well think also never pay attention continue milk public watch full episode however matter trailer get play episode first time ever incredibly annoying numb something always definitely typical network series show designed entertain predictable still enjoy much someone neutral religiously quite sick blatant propaganda another episode sending message violence terrorism need research subject terrible episode accidentally hit button automatically made purchase confirmation way cancel unhappy situation disc set unplayable seller said knew sold told tough luck item said good condition way treat made think twice thing seller anyone stand behind sell thought going drama serious series sure lots people enjoy type show cup tea ordinarily love comedy really nothing funny could find tried watch dreadfully boring usually like watch selected discovery atlas revealed visual tour major instead story goup people achieve personal personal frankly interested cinematography beautiful voice charming soothing put sleep disc playable big relieve hope review source follow disc work player returned product received similar non disc received twice defective neither would even boot tremendous amount research able get bottom issue w version atlas revealed confirmed update available resolve playback update currently available soon read disk working figured old fixed disappointed still selling defective disk brand new player boot atlas series returned entire set times solve problem also took local electronics big box retailer work problem directly discovery channel store reps difference different say date show use fulfillment house opinion say level customer service supposedly discovery channel unaware point good edition edition release version directed per individual product product grouping hope resolved planet earth great bought like everything else less expensive better service work device known player nice however needs information advertisement misleading fantastic documentary perspective someone crew screwed buy problem fixed send back done found different way brazil china work order product working batch also spoken discovery channel advised aware problem trying get problem resolved advised return product bought keep back cautious purchase dont want order defective title able get refund working time brazil china wish time devoted natural beauty natural north opposed horse racing auto racing much enthusiasm find dose play player send back replacement still would play finally return together seem reading typical title series waste time got four discovery brazil china work fine returned work either reading found many problem problem disc two go back tomorrow shame discovery poor job making sure disc playable especially considering different market thing thought colors kindergarten phony special effects embarrassing would recommend another adult ever boy series even collected bubble gum brought boy obviously gone man therefore series left man wondering original attraction series perhaps never grown better still left childhood back th series young girl would love enjoy price set much would pay series set come way price people glad bought season first couple getting quickly giant see little people catch little people little people come rescue little people escape repeat next episode truly plot every episode waste time money series love series younger really acting bad optics fake season set high season let least bad godfather disc one defect reproduction third episode side less stop possible view know defect previously resent took action solve problem sent c sar z review towards release way shape form original outer television show outer complete first season later complete second season release broken double sided well least plastic release card board outer truly worth money time far better complete release nothing money making scheme release without doubt waste money bought outer original yet like read poor quality rip sad use watch yr old child neat show really disappointed guess wait till better come along fi channel use show wish would anyone good let know love old fi first season half get double sided format first release assume point true bought first set casual probably seek favorite odds fall within first set sense whatsoever without additional see anyone would buy second season writing rely common man people know science seemingly figure audience cannot due terrible lackluster story engage viewer based jumbo pity truly great middle ground though ruined instead action drift end explanation love show ever since days cable get series think play season one one sided season going take vat giving two great show reason buy collection getting half season one extra instead spend another ten twenty buy release entire first season still available scam opinion new set spend little money possible new buy realizing already shame redundant release absurd unfair justice show disgrace real swindle major wealthy studio release vintage show two today technology could least obtain complete restoration original first release cheaply featured worst language advise outer diehard read full account first edition getting publication serving evidence future video watchdog n n outer expert j reject vulgar edition pit woodwork believe right action studio would release entire season one single set two alternate please stand unknown audio expert j outer cast crew isolated passion aspiration becomes lust aspiration becomes vulgar ambition sin fell end narration shield first season outer best sure second season classic among demon glass hand inspired come terminator give reissue exact digital last time enhanced thing average set get wrong first season terrific part set like first season set moving man never born martin landau scarred victim viral holocaust given chance go back time prevent birth man sterile world rich score late among best outer best also get galaxy cliff unwittingly alien creature communicating world made anti matter causing destruction death sixth finger experiment push humanity evolve next level process lose essence us human like much work neat allegory human nature also get many classic mixed claptrap like human factor almost everything terrific even getting half season higher price include commentary track surviving j author definitive book outer convinced buy set second one coming august pay process split heck least could done got rid dreadful dual sided nope dual sided well get half first season series august get second half first season loss release exact thing different package reason best buy return limited shelf life carry going least give us visual effects vintage late joe commentary making episode show reissue get instead outer original series season hilarious get less content roughly price entire first first set yea sure outer comedy could least say stick moronic spoof fi genre luckily movie make designed teach keep losing losing movie main thrust concentrated upper torso frontal several pair observing movie learned fast forward button suggest must cost every bit ten make ten pay somebody see free minute half back wow wow sometimes manage brilliant one bad poorly written poorly almost though thought serious movie hospital kill movie coma tough time earning second star really boring keep interest really went deep sleep good ugh unbelievably slow moving medical thriller almost put viewer sleep saving grace almost impossibly bad acting everyone involved least measure entertainment premise simply ludicrous cardboard glacial show sometimes use language find inappropriate particularly care love bad fantasy one hell came movie would par sub par beauty leprechaun first line free last free last wrong headed mess unworthy even coaster avoid shame much offensive language god information recommend share complete waste time hard figure convey quite simply pointless typical people glorify kind stuff yeah great concept serial killer bad serial nice one could scare away say entertaining laugh value mostly also say come insult run mill normal type person shockingly doesnt reason insult killer personality horrible acting trust little bit fool people thinking everyday joe screen buy retarded attempt charming wow let guess handsome yeah one us right give break show hollow much like ill bet saying even cant see realistic another mankind meager vast bunch want see real psychopath action watch better yet read book comes slightly close realism everyday maniac mask sanity take real thing watch want know fiction real lot cunning found insult funny one nonetheless pretty sure show dexter maybe dexter bought season set son another copy brother get ray latest thing however show definitely appropriate far show much blood gore main character people cold blood alive show television simply disgusting definitely entertainment found truth several son mildly retarded would wake blood shouting dexter raping killing finally gave ray closer look make past second episode vomiting violently onto screen movie one ever seen made sick immediately entire season refund apparently still progress definitely rent one watch least watch explain torturing people death wrong frankly get believe long uninteresting like premise however perhaps given time manage sit another episode review got hooked show interesting right bat writing excellent part led nice turns plot development suspension disbelief along ride however go series way would never happen real life trouble season got disturbing remain real fan spoiler alert read want know came hate dexter sister seen whore guy time anywhere ultra foul mouth first amusing got old fast added open leg policy character get dexter disgusted well two innocent men goes right perverse time code little trouble rita limit unnecessary sad tragic stay unaffected came dislike series getting got worse season five written well preceding four season six pretty far mark picked season seven suspension disbelief even greater order keep watching dexter two throw ball guy one mother needle car might look back see going killing storage container running run trace saw plastic everything else connected finally deb protect dexter discovered break two deserve execution two people instead remain public garbage oh yeah serial killer dexter love interest never mind get poison deb never mind eventually dexter son along ride south yeah really stupid unbelievable true get hooked series early shelled watch thing streaming video credit excellent writing first wish series would excellent complete run best describe show sick twisted perverse sadistic fascination sadism death hunger watch gawk grizzly car crash people flock art full take sadistic pleasure growing sympathetic serial killer watch evening news wonder wrong everyone else world got sick twisted fascinated prospect watching snuff family entertainment like show either though people brought show experiment make people little regard human life instill mind watching even watch anything ordered came would play region shipped item gift fact region ordered season sent wrong one first pay shipping send wrong one back whole process took month sent back ago though said money credit card still gone unprofessional business would never order thought show rather boring edge seat original show idea must say prefer high mark criminal read media straight case disk tried cleaning still nothing title look great look like original could seem quality poor first episode saved money disappointed quality amount time wait episode buffer catch disappointed look elsewhere watch son received dexter season one gift discovered one major scratch couple minor scratches skip wrote seller absolutely response date also wrote review problem although experienced excellent past would recommend seller anyone future say like show mention bad technical quality finished watching season disc watching rest surround fine rest stereo reversed everything come left comes right vice episode comes visit dressed croft door right sound comes left track mono correct found swapping thinking system hooked incorrectly mono actually stereo good thing bad thing technical proficiency identify correctly used croft example verify disc region disc actually region works fine region pioneer player graphics menu awful anxious see original series work kindle like forever film watch love see justice done bad guy anyway bought dexter based good ordered picture barely watchable picture blurry completely sharpness would expect cannot watch past first episode due poor quality transfer would recommend based picture quality bought wife think show utter stupidity make like beyond wonder society dexter walking dead need people crazy unthinkable much language bad situation lack good plot go trash hey think like never actually got watch timely manner work gruesome watched pilot intriguing violent gruesome requirement suck serial killer serial far good know show relatively dull predictable many figured ice truck killer first glance sure many dexter adopted cop psychopathy least partially brutal murder mother three old never put intensive therapy father killing neighborhood dogs beyond instead father sage advice act normal try fit c mon every high school one best propensity violent cruel treatment adopted several dogs whose father cop intervention people dexter mind deserve die heinous repeatedly help calculating millions year society mention untold heartache maybe psychotic streak well moral grounds objection however would like seen series written seasoned got first season dexter watched entire season matter week leaves feeling unimpressed exactly show unoriginal feel best comparison make show like extended story arc foul language occasional sex scene original honestly feel someone people something wrong interesting plot convention boring whole story arc ice truck killer also droll understand identity revealed season finale kind writing season finale ended way best episode entire first season viewer left feeling entire series bother second season season finale perhaps identity ice truck killer officially revealed season finale would made much better season certainly would bought season digress worth fact angel came directly hit series prison doctor angel one superior dexter also one bonus first season missing academy blood killer course find anywhere another thing note one episode dexter one blood victim issue shape blood specimen slide smeared supposed look like perfect circle blood know pathologist assistant deal blood fine needle every day come looking like perfect circle blood smear blank slide scientific medical inaccuracy speaking take look dexter first season glaring typo description episode disc left stupid people leave monstrous grammatical error like open inside case also description episode selection screen talk incompetence overall end season left big feeling emptiness closure really one star first season gave another star season finale interest rest series due slipshod writing want real excellent writer staff write section first season p review item rating error watched picture right title wrong love style really meant found alternative real quick view remainder dexter series love one time prime got reduced price guess get penny yeah rating basically usually voice disapproval complain star system beef warning possible like dexter enjoy good vigilante like justice judicial system could get behind graphic torture sadistic way dexter judgment people within system one thing quickly remove someone gene pool person heinous considered worth society fact detrimental society know logic done another thing altogether slowly methodically torture person death excuse torturer feel anything dexter since cannot find valid reason dexter extreme except extreme mental enjoy torturing anything enjoy show could relate dexter really anyone show mystery dexter intriguing probably care character get many spout got fine find anyone root care identify mileage may vary many naked sex enjoy story line teens tired turning real reason keep watching someone graphically killing say people think bad get effect episode weak story line lead kill watched first episode grotesque lots blood sick plot frequent use word series one episode saw frequent talk sex understand gone many representation extremely perverted person find concept series distasteful extreme idea bad vigilante style good basic plot empathize however dexter person driving beyond comprehension belong trash exploring insanity maybe personally find character dexter abhorrent extreme something care explore mused interesting cinema vicariously live watch said even villain screen office stealing something valuable say night watchman comes around audience instinctively desire safety crook need relate see simply wired way dexter way illogical desire safety dexter gruesomely countless way punish course honest probably get secret thrill act worst vindictive upon modern societal dexter hero series would actually force us watch full brutal would much less sympathetic quickly see psychotic wisely cut away right burst horrific adrenaline us ride rush next scene like rush obviously alone show guess might gain something little level serial human guess small benefit dexter wishing success heinous sorry make jump enjoy ride dexter season series eager view last two could message play file please try later continue experience problem contact customer support reference following code x tried three consecutive days result perhaps customer support tab somewhere well hidden able respond appear search insert product link many kind problem unbox video player sincerely j e wright amazing many people want witness sadism society bunch sick one thing come across movie necessary move plot along quite another tune week week really angry really really want people even bad people tortured first review series whole first season hate show begin fathom show ended premium channel like clearly house monk burn notice god awful network craps busy law order welcome network quirky annoying funny dark police based comedy drama open arms shamelessly lame network may little long though far dexter goes character new feeble attempt tired serial killer genre making killer actually forensic blood specialist painfully listen oh typical dark brooding inner monologue mysterious consider human even though care well still stick story supporting carefully cut little watching man perform oral sex house cat seem appealing never understand show landed channel program work rather depend program make living get wrong absolutely love many love deadwood big love wire curb enthusiasm love brotherhood dexter however right compete like show title character complete coward needs sedate restrain killing nothing original slit throat like bateman character respectable physically dangerous kill without use see dexter completely cowardly unoriginal character preservation taste please stay away garbage p hey network better offer walker ranger jag buy first season dexter could finally catch fuss love series however copy series crap made stamp front distracted first watching quality awful fuzzy picture sometimes picture grainy never buy movie dexter best thing television today release fact release heavily compressed look like transferred copied look good old low year old blurry choppy considerably annoying combing effect bad huff nearly unplayable computer pretty much every great give show definite star rating horrible transfer big fat zero thinking really decent name rescue house man wild shield ultimate fighter great quality entertain purpose purpose one many piece sad excuse waste nothing worth bad acting predictable boring horrible freak main character little sad weakling see work serial sanity killing bad people really help society way world would something sadistic repulsive pathetic would also land capital punishment hate mention name paragraph spawn least dark super hero fantastic fictional original sense spawn also superhero super show solely underbelly society horrible like dexter crawl around many interesting meaningful ways spend life entertain instead watching sad excuse waste love series however second disk broken concerning since help want send disc find baffling two work dexter reason c hall good six character think clue dexter see consistency performance way way way old acting tip know kind expression use think going supper night hall role still clue dinner poorly written time got character narration narration insightful surprising funny shocking whatever insipid gave three doubt much give went seven know lots people like show watching still understand allure sorry dexter move enjoying much like therefore quality screen horrible also cheesy terrible experience ordered dexter son knew got let season gave shut watching clarity quality horrible bootleg angry felt waiting hear back see make good purchase come back write good review took care happy customer got money back garbage movie dont see popular people dont get whole series without trying one first mind violence mind god awful acting writing broke awesome season one would improve nope dexter sister annoying character history give nice program nothing enjoy dexter main character eating manners dog disgusting watch acting level see high school story even lower quality program trouble like concept justifying serial killer bad good bad show thinking entire first season probably already know great short show amazing c hall one dramatic set good treatment fantastic show video quality one hope ray release horizon show broadcast format may atrocious give production cheap feel one read would appear ample special inspection special heavily filler largely first one listed academy blood killer course idea unable find tenuously connected show murder investigation cross brotherhood also caught good excellent incentive set show especially cultish following could probably get away little commentary grace show like dexter want much depth possible set get two first several cast c hall second producer commentary decent insight cast commentary largely rambling greatly absence c hall respect show sure alone wanting hear mostly main character laughable oversight studio list commentary lead somewhat annoying search basically put disc drill episode see commentary tip yet episode disc finale disc puzzling chose ignore convention commentary first episode cast crew could introduce show speak main bottom line love show buy get overall quality presentation release better road family round set sparkling night turned play button nothing nothing message effect disc play region nothing site disc indicate might problem bought many well aware live new new law ensure goods fit intended purpose let award zero would like give reading story line purchase movie thought would simular criminal come anywhere close understand dexter acting suppose excuse poor acting watch dark everyone really good show ugly watch watched pilot decided go get enough violence news would want yuck dexter star show closed despite setup tried two different zenith said one star low review read star review affect average show watched streaming bought shortly thereafter apart special limited couple short two video transfer grainy well beneath acceptable playback player per second every movement like effect good update ray player frame rate better occasionally sync picture still grainy still special know popular make first show violence much bought set st season show due primarily glowing watched first two last night must confess bit bewildered entertaining mass murderer brutally alive earth entertaining protagonist nearly orgasm idea another serial killer even clever sadistic really tried give series chance found mind numbingly sick find much socially value work really matter dexter bad way killing barbaric find leaning solidly toward course problem could maybe soft stomach lot show dark taste reason know subject matter probably irresponsible piece ever public really warmed clint fantasy think society somehow touched god ability decide guilty die frankly main character despicable bit pond scum hard imagine single could admire laughable part say bad therefore sort reasoning grade bin accept logical rest us long ago grew anyone truly wonder keep seeing massive country hard believe us best two season fit air turd blossom want watch something satisfying pleasant bed show watch know premise disgusting entertaining anyone serial killer serial p people deserve die feeling dexter maybe would genuine hero superman irrational conviction killing dark knight motorcycle chance mow evil joker dark knight shy dexter customer four even though bought first season high buy dexter turned despicably silly character hiro posted still season one dexter made think program done seriously rented first disk apprehension confirmed show thick strain levity like want serious theme gravity recommend rent buy neither maybe given two three instead one yet one star something worth time stick one star better serious ways spend time available sister law would love show bought season one forced get though first four would get better slow think get idiotic premise waste time bought pilot check watched like violence cruelty blood even victim little wall realize would bloody filled horror kind show even husband like without bonus stupid watch episode another movie take pay click decline opportunity back accept decline imagine sitting thinking going see final episode series able access episode believe selling million people piece product falsely advertising shame despite one original find series extremely disturbing yes interesting plot intriguing message sending serial killer hero dexter tech also serial killer bad people series rescuer getting justice proper dexter batman level someone psychopath showing dexter unsung hero taking trash may send young immature teen direction without saying much ending dexter overcome dark side hero courageous thing take another life needs ended showing vividness great deed make world better place feel show left least little harder teens get maturity digest message show usually found teens monitor watch long regular meanwhile dexter taking life valiant courageous necessary young people teens may able get underlying meaning miss vigilante hero dexter cannot support show matter original intriguing well written stick crime scene investigation vol crime scene investigation good wear badge simply gross blood got first top grossness hold interest show entirely terrible rest tortuous kept watching would get better never language available good enough compete glen close series lost spark monochromatic without stopped watching sad quality content majority component previous added brief minute segment hospital baby next thing new minuscule segment poorly funeral opening casket lid put arm wrestling award call season review poor ending drama previous series would recommend lengthy tribute deceased executive producer well binge first time series last season previous glued chair well season one little hard get rest quickly season fraught moving squad going streets keep quarry tailed tried seriously doubt seeing way plausible know entertainment realize belief must suspended point ludicrousness getting way enjoyment sure hope next two get back track happy maybe read well expect bad pay much yoy get pay short price require write head line favor providing customer feedback last review grew watching mad like anything seeing watching husband needless say rated r guess old fashioned remember smutty stuff like feature swan pretty bad use caution appropriate younger love mad several compilation funny like jackass segment one classic problem rhyme reason anything happening thing suddenly part way season part like watching someone old tape random mad buy regardless cheap wait complete season bad excuse get provided e entertainment contain nudity bad enough like second generation tape dupe quality good thing say wasted single episode want get want make sure works mac may want actually hour video video beautiful nice music people act tour guide kind tour guide oh well love show rating electronic format show since review show end black sides bottom yes like format ashamed providing show archaic format displeased entire season would never made purchase knew took whole mouth get house got send back made sure got money card st send think good rather buy somewhere else vendor send order give sent took back get money back felt waste time order would avoid ever anything vendor like season arc little first sadly report show works one level hot cast get past attractive looking cast little recommend show acting writing lurch place times poorly written episode saved bell best material actually genuine emotion poorly used show worth starved type material deserve better bad b rated movie one go low enjoy really bad series part e list survivor sent investigate supposedly divided sent investigate course always little bit spooky stuff end pick place go visit premise however second show realize whole purpose scare effects become point behind silly ritual end boring first time worse turn mind want pretty boring actually really admire show good staged well hope easy installation kill broken could hassle talking unbox episode particular never got watch found unbox unwieldy extremely invasive already chain around neck desire let really love everything else perhaps particular production boring really great considering cast flat even buff teacher beyond redemption less halfway replace version one classroom way modern teens would stay attentive rented version favorite play since old seen king lear hamlet series good good acting fairly true saw alan since like actor much even watch version say alan though excellent cannot save movie disastrous acting forced watch almost hour forty five saw throw floor temper tantrum point could force continue watching besides already play either cannot act well hope case understand anything saying simply following direction given friar utterly believable surprisingly nurse could tell enjoying part want good version especially first time watch choose version produced franco whiting respectively going love believable environment amazingly renaissance draw satiate aesthetic one early hugely ambitious complete works project ran late mid early plagued stodginess lack imagination producer far concerned appealing sort amorphous pudgy middle experimentation favor conservatism imagination realism pudgy conservative realistic middle brow wrong one works like play none fact none thinking remember stodginess cultural scene time something revered rather living theater fact whole project funded various oil hedge funds given suppose miracle turned well episode one turned well sake realism sent everyone castle forest nearby shoot play review mine cast heavy green long sloping even immortal bard like human pale insignificance environment place vacation eaten alive watched sympathy away hovering around face shot may june location shooting first mistake bigger mistake decision play natural frothy downright possible actor sharp dark role actually style perhaps directed poorly let forget verse without modulation classic rejoinder comment taking pride wise silence fence post away needs puncture could go simpler say miscast splendid role much better rest cast lugubrious grim earn derision even recognize sometimes right hard smile guy occasionally murderously rest cast think breath life usually throwaway interesting whole lot perhaps angry life man one star rating quality specific sent due defective unable view play looking forward one great female unfortunately production bad shut waste money watched st may money back silly sure wish available love use teaching tool long comes north squeamish homoerotic interpretation ever seen play warren portrayal feral child molester admirable drunken seen sympathetic satisfying relationship ariel though seen much humorous sagacity still entertaining version play boring boring ariel wear less loin along sparkly body glitter well acting ridiculous would never show someone already love come away thinking wrote boring uninspired dash inappropriately lewd strange totally left fact ran concentration camp long world pressure freed outside vicar window ripping minute filler full shame offering least rental fee believe almost even boo hiss bad like introduction something elsewhere abruptly saying nothing first episode supposedly florence eight long buyer beware pay minute short video settle watch worth thought would funny much adult graphic moor ridiculous start strange well idea romancing completely stomach turning bad idea modern newcomer expert however speech quickly production flat version make film tried version far superior highly understandable production wise masterpiece version however denigrate general four new done henry henry v best film market admit stopped watching waiting waiting get better maybe get better production value thing pretty darn weak addition basically commercial overall instructional quality low pretty much watch two year old southern cast retrieve fishing bass boat occasionally landing small trout drum ladyfish water depth one point camera depth finder commercial talking mumbling fishing instruction poor showing another review product reference book review review erroneous nature reference correct product video instructional video fly fishing experience lot catching high thank short instruction far used basically white blade disappointing waste guess done math per tip much time go detail detailed fish different luck first video fish video still paper fishing probably lot last would general real applicable specific information example like learn associate fish current river learn associate fish amount light advice like try fishing dark spinner overcast weather muddy water oh well wish spent hour fishing instead watching video save time charisma much content felt assumed linear thinking table video spent material easily learned book video time water perform various sailing instead video mostly review sailing rig boat unrig boat little attention tacking old almost grainy information basic year old video want learn suggest something else date guess hard copy comes nice booklet keep telling reference video get w digital version video less long impossible follow w booklet maybe advanced follow beginner program worthless would make instant video enjoy movie specifically general fishing guide like pretty old version sound volume quite low common sense already know one two example weekly training schedule practical follow acceptable would recommend little information like information use live pinfish circle hook water enough weight get video watch commercial movie went found much better date sail trimming video painful watch little instruction common sense really annoying music background whole time terrible price remarkable waste money r wrote almost watch st half video obvious gear one needs sailing knife light harness oh god review boat slip harbour couple go calm close coast continue speak basic technics heavy weather sailing watch background sunny coast away cannot express disappointing useless completely agree able reviewer every way one could learn much far sailing spending hour drinking coffee introductory sailing book anyone ever left slip boring every way video advanced heavy weather boat handling demonstrate several ways cross specific bar doubt however much information applied basic knowledge beer well beyond show give information mean basic knowledge lots fluff well information give poorly waste time money contain new content except commentary recap previous tired recently finished first could watched hard pay content already series recommend anyone however certainly recommend series good please take advice consideration prior spending hard love river cottage series hate delivery file format everyone short story worth watching total segment episode save money better spend wonderful movie really want watch anything would rather see guy thick accent talk starfish hear bunch whine able eat crab fact director went great avoid watching dancing swimming anything remarkably remarkable would better watching sadly watching bought episode show video talking showing wondering searching although good information see wolf pack interact description bit misleading really feel episode free watch considering length time content certainly worth price want listen watch talk video expect see much wolf pack interaction bad game work right gave phone big big time sorry good know season funny previous perhaps political fact right wing hybrid anti evolution lame gore joke lot juvenile previous funny like dog whisperer killer part season huge fan south park offensiveness show funny offensive equal opportunity cruel offensive everyone season south park kilter show moment political knee jerk reactionary almost every episode commentary even admit criticism overall poor representation series paraphrase stealing worst season ever comes south park collection stopped season dog whisperer hybrid car pretty lame never big fan know people saw video game episode thought one worst show ever done boring like done episode premise even interesting first time south park crossed line season vomiting every episode one worst south park show matter ever even warcraft episode bad taste sitting around house dumb game many forget couple important going outside bring active car episode say black men woman acting like worst baby making love fully grown female adult teacher fully grown male adult hockey beating little year old give set want say think season funny actual rating would solid order joke got home pretty horrible day figured cheer south park open first disc season bad already season season since figured try save money looking back think would rather shot face guess minority must say disappointing season south park ever record one nine several bought without first entirety faith would entertaining alas luck hold nearly far less laughter previous downright lame boring much wit intelligent political commentary come appreciate south park notable exception classic world warcraft episode basic idea real world spoof new one people around concept forever drawn together angle spoof cartoon like lot potential right well right plenty potential sure elicit occasional chuckle let honest fell far short even little better could done even one episode drawn together cartoon cast tried meet critic horrendous critic turned fat hairy ugly woman exactly target demographic said pig facsimile belief group making fun course like show fat old ugly hate show higher crave fresh material well thought plot clever semblance wit crave probably dislike show like family guy south park delightful cartoon depravity still absolutely loath drawn together hard like mindless drivel old probably love series literally waste money humor long nothing dull wit save money worst cartoon ever made seen although sure worse seen drawn together movie great adult entertainment problem go hastings go hastings said stock good condition well season complete wreck box dirty art work made printer art work shown ad beyond repair would play rest condition play box art work show good amount wear scratch fair good condition good condition go hastings gave refund season find place else business first disk worked great buffed cleaner hard would work believe type garbage actually would given option entire show shame spike horsepower whomever responsible looking mustang project episode included waste money received yet upset ordered video prime show episode u history classes today confirmed date recipe video shipped via video city live ut would used prime shipping get digital copy show course happen waste time game awesome course quality flat terrible get works u live outside u purchase go video although average depth perspective overwhelmingly liberal anyone conservative waiting long time celebrity become available celebrity via digital content interested since content low price per episode season decided take plunge try season unfortunately experience summed single word disappointing actually two highly quality good noted video quality inconsistent good fair pixilation random scan crop often enough notable annoying content begin product complete season content order season episode content missing clips notably match clips used original series setup explain cut original order new theme taking different meet theme criteria ex destruction joining together make new new theme episode presentation completely disjointed progression example dressed acting different scene scene scene scene e showing robot diamond arena scene scene many original used set missing cut multiple title per episode disjointed presentation new theme greatly cut original make new theme story leaving episode progression rough much less entertaining original series media digital management completely understandable manner restrict either unbox player media player implementation installation undesirable computer case new actually somehow corrupt video card registry forcing reimage may hard drive require access may cause depending high set security noted media function except media player unbox like prefer use single program case manage digital media center library version celerity compatible unbox like media player leaves much desired media management aside restrictive unintuitive less user friendly unbox player playback due work media player summary waiting good digital presentation celebrity afraid keep waiting feature problematic unbox entertainment value provided worth even considering low price per episode season recommendation save money keep waiting sooner later someone get right release original digitally reasonable price edit added mar customer service department demonstrate excellent handling numerous content left point losing patience becoming extremely rude customer service returned hostility nothing courteous prompt helpful service kudos customer service handling irate customer tantrum documentary primarily written h going severely due fact heavily tortured capture everything wrote extreme duress course series note feeling sorry guy without question viscous murderer fact almost nothing wrote version history go jail pass awesome sure great watch however put sleep two trying title later date saw reason matter went video audio first act never got past act like one passion work camera work great either wife big miss fan quite keen spend nice evening alas begin plot sophomoric best great deal time spent simply connection story obviously red murderer fairly apparent half way clever murderer revealed dunder script logical working non existent one point inspector went cellar suspect view electrical suspect near place murder course murder took place upstairs second floor first floor unfortunately prime example intellectual level entire script nice beautiful car movie also unfortunately directed hokey music slow moving story enticing sound quality great finish movie hold interest unusual experience best movie big time constraint movie cut min h watched seen several times fact really enjoy miss movie also better book usual per also although badly starring two cut meeting cook lucy cleaning baking frenzy watched least egregious edit time one sherlock entire movie cut annoying pointless edit since streaming without see streaming free prime earth would prompt us want pay rent let alone outright purchase would want buy something known cut short one best series would guarantee people like action series theres lot action sexy one best right friend kelly name kipper season mean god season suck opinion season gone record calling one story bad complain everyone else going complain something else season like control train goes end plot villain change least five times first plot abu terrorist five one la story get five turns bower brother boss goal find information goal get except red herring real villain general jack retrieve yes really random attempt steal one computer chip suitcase goal plot protect chip jack exchange chip tell keep goal retrieve china remember nuclear involved get back discover jack mustache villain father looking son josh holding hostage oil rig yes really goal story save josh season dead serious five six stupid rambling crap goes round like waste time jack irrelevant largely barely since height drug usage practically zombie new introduce either racist mike boring oh god let comment know anything know get best treatment decided add character cast character dry lifeless desert worked something bill job except bill still anyways nothing add plot interesting story even give exposition love triangle god missing love triangle two men would fight boring woman never anyway got bad acting dull story random decided plan day went production mess season avoid go awesome season instead season six revealed artifice show may never recover spell may broken fragmented plot unbelievable even artifice knew trouble brewing beginning jack bearded beaten malnourished quickly give great haircut true reality got point point b would basis interesting series much season like reel number different strung together would make sense never really season recapture grit minute minute excruciating action tension jig may due technology ignorant studio content stream never mind least three ways defeat block determined circumvent digital going let simple platform slow sure inconvenient general law abiding public would rather put watermark screen every five time hardly notice many wrong season weak cast among remember one thing made show great first although completely realistic sort realism season rest review spoiler season came stupid make jack arrival prison camp occur hour period supposed running around stopping jack recover almost prison camp first saw jack come helicopter told worse thought jack could barely speak within running around fine screaming top also notice jack tremendous physical shape prison camp fitness prison camp terrible oversight within realism established first early season terrorist sharp object nerve near jack collar bone later jack able pull arms kick terrorist train window without much grimace far outside scope realism established throughout first actor palmer develop role president near season first far president ever seen seem presidential season goes bore season character although nice suck life every scene sub mediocre acting combined sub mediocre story line next point could point still proven season scene season one palmer fool hotel room exact situation even similar dialogue towards end season truly pathetic sometimes similar different enough passable time ready finish post something else graham ago yet follow many season awful writing understand show certain amount real show realm reality needs stay consistent within unfortunately season familiar show may love season block great around time new watch exclude season useless series end season five jack would bust way china season topped presidential betrayal else could go someplace completely new instead decided play cheap production wise simply sake like every two new old story line something would click lot went nowhere soon forgotten like many drug show shark tortured tooth tooth toothless received season wrapped plastic paper box received collector series use company b mason went action thriller daytime soap opera plot crisis affecting country relationship concerning season six good guess got lost track felt one violent senseless end tell thinking season seven important got lot plate right going suggest homeland security secret service ban inter departmental work evil arch enemy brother twist someone white house staff wearing black hat working president see coming someone needs introduce variable speed drill different available us apply different similarly today actor either calm screaming use emotion season worth watching delivery image enhancement scene way sure dad pick sons unsupervised heck even turn see phone palmer somehow manage select cabinet diametrically opposed politics hell pull given house la matrix nuclear guy spent prison repeat another assault foreign consulate first back home soil wee bit far fetched fact could immediately torturing console convince soviet lackey bidding complete sham rickey jack exactly inspire good see everyone still chain command fun see rick assault team member front without helmet deadwood office like wild west saloon latest absurd series hell bent taking highest office land black hat help poor viewer decide support hey last lead proceed small team possible perimeter damned cut arm since cut arm anyone screw surveillance detail like see memo go ahead see get one reaction wall black hat threaten declaration war espionage largely seriously easiest federal installation infiltrate rent cop might well big red painted nice sting rusky spy let use complete neophyte set truck work station taking command house screw say damn spring next time since one conviction old bomb circuit board trick first secret agent ever unable puncture inflatable boat bullet since call air strike heck rock proceed extreme caution entirely agree think season awful said actually thought season gotten promising start bad went quickly major drawing point show always brilliant portrayal character jack anyway finely take classic tragic hero figure made compelling character previous always person could get job done guy really hard would invariably fall example whether resort extremity torture whatever ethical political legitimacy torture information real world think would agree past anyway depiction always earnest quite sophisticated lengthy philosophical utility vis vis torture would likely make good season unfortunately earnestness virtually part fascinating jack guy nearly always one ended help wonder continually commit horrific might inside mind really acting shone fact given glimpse mental interior early season horror al guy know something effect really scene would start much personal self psychological look jack confront inner obviously mind hardly time back form torturing killing left right different one seen previous utilitarian resolve instead sadistic relish recall scene say hello brother interrogate going fun even scene season teaser torture someone going enjoy get skin much word cheap interesting character status caricature whole sadist turn completely odds way character throughout previous also kind insulting really think audience would mind notice inconsistency jack complex morally tragic hero something conventional action hero expect see somebody like rock play mindless summer blockbuster imagine angry god forbid admiring sophisticated take batman go dark knight summer bale company trading cheesy one back forth la batman robin idea shudder know exactly feel season bottom line soon recognize redress error ways think danger becoming parody assuming charitably become one already faulty half play get label send back thank love season least favorite many story enjoy glad make feel way review show suggest anything quality package special within set season promising season first close magic spiraled control old dead apparent reason real effect story new sole reason old bad death tony come back every season previously mole jack control gone rogue faithfully tuned every week watch train wreck previous five give matter awful surely season would finish bang surely would redeem clock ticked final episode might disappointing main plot approximately halfway final episode complete anti climax grandly apathetic last half episode various grimly reflecting bad day tortured jack soul must six long days cap dig another old toss jack show tortured case get already episode like rock band music video jack soulfully staring sunset filled sadness pain yet glimmer hope jack season coming jack sucker probably watch partially show redeem partially continue watching train wreck however one thing buy another season collection stays season never cheap enough warrant purchase season pretty great season sure personally agree show best season show revisit old feel little slow middle season large though enough interesting great acting make whatever might season however another story altogether time season show point suffering jack popular palmer tony already one made great show willing away anyone made show unpredictable however new real jack quite impact sure bill right guy know going die anyway anyone really care another body large count point one major problem show faced beginning season six nonetheless show lot promise beginning jack still brilliant albeit given chance shine much season due weak material beaten unable hero always end show fourth hour united horrid attack bring state unfortunately also point season suck new jack heroic powerhouse old jack interesting character development soon enough jack old jack old always seen old repeated throughout season trying remove president power mole really mole great first time saw getting old point one ability reinvent season enough reinvention new introduction rest clan comes lame middle season actually falling asleep middle never good sign keep head assuring would twist coming would make weak worth well amazing twist never came show coming back seventh season think show would better quit ahead anyway much people might hate saying think good season skip altogether show legacy really first five great point get x instance best continue onward nonetheless least still lost disc unable watch movie seller disclosed scratches impair able watch show great lately keep getting message connected false mess several finally get working watching episode start whole process finding dependable watch incredible portrayal man community great plot dumb override section season sorry exception maybe nowhere go season season far new level new unlikable ever even really distorted character morris care potential become full character female head far one dimensional fiddle peter absolutely sickening watch scene making insulting shallow moment ever seen show expressed freshness show seen many plot nuclear threat presidential threat jack always guilty suspect oh god please let kim appear another subplot change tone time fine casino royale series think bill pierce really almost every character except jack either leaves flat angry new yorker depth article awhile ago political ideology neo con really surfacing run election really writing palmer sister bleeding heart ever seen straight show expressed rose really evident hope involved show examining military production company show torture problematic armed try distance fantasy media shaping reality image start gnaw audience member know let get starting war wasting hundred day show rhetoric relentlessly show tipping point culturally unless reinvent put ahead jingoism time end beautiful dream grow first season manipulative manipulation skillful viewer mind never watched show got emotionally worked waiting next episode continue story whereas season one strained credibility season six took credibility alley beat senseless shot head like something jack would show become almost laughably bad second half season felt become fumbling way ridiculously new plot fill friend still see season advice give broadcast season six watch believe set worthy purchase give two isolated show satisfying unfortunately plot unable integrate occasional good coherent whole spoiler warning overall season huge disappointment course special effects still great watched watch plot jack get bad season left empty season plot cogency world view plot cogency plot many stark undermine enjoyment whole season course suspend disbelief watching show like point good illusionist artifice divert attention one enjoy trick taken care make necessary artificial plot less salient one example early day jack escape torture death chamber chamber somewhere southern jack building complex car bill point jack rather precisely likely location e proximity jack moment would either recognize would identifiable via number e g signal instead jack bill act like useful information say much much plot get information information might risible huge mistake writing second huge plot gaff anyone jack included would able manage day cruel imprisonment torture deprivation would clearly broken body utterly well mind think days run half marathon day swim mile immediately p w experience came end world view say think absolutely ridiculous new york times fantasy brought negotiation table anyone anything jihad oxymoron goal plan world domination nothing negotiate bad seem write story world wonder read anything serious topic another little gem much way never verisimilitude explicit prison country origin never instead simply saying apparently ask anyone judge awkwardly ambassador country hope next season much better though know season interested enough care watch shame season lots drama everything else probably best season everything previous building finale done really well unfortunately left huge everyone want watch season starting season goes one best time mediocre action drama seen previous especially season nothing left show throw us shock factor seen made worse favorite dead gone except given many good none new quality time show got season unrealistic thought believable watching sadly many downright ridiculous show boring almost new really ended season lot tied really feel kind sad hey least made ending skip last pretend series ended fifth season waste time get la place care blah blah blah mostly predictable good remain good getting hard take suspension disbelief necessary almost even show like example jack would last person ever keep security clearance given say season better good time move son said disgusting waste life beware multiple looking forward season order see widely known first really thought harsh even though whole family history preposterous stupid finally watching last finally understood anger concerning infiltration order kidnap boy going home next day peril routine original biggest complaint first bad current writer strike occur year ago came garbage problem constant elimination beloved let face milo tony even morris next time kill another character suggest thoroughly replacement one also consider show simply fresh many torture watch many times want really hear jack yell put weapon many president many breaking law order help jack even many romantic third character observing getting wrong idea matter many hour without character taking nap least yawning little point lousy writing perhaps show simply ran course little made crazy season old guy jack industrial building roof batman fashion jack father going trouble kidnap yet frankly fire involved security white house showing broad daylight morning even considering countless time spent already also find set cover kind funny considering actually born rate enjoy watching obvious last many never seen season maybe like season six much seen much story line new wish seen anyone really need love interest say zero chemistry weak jack dad brother really whatever rarely felt like oh wait jack shooting good guy help bad guy nuke explosion see grew weary went formula predicable repetitive tech grind teeth every time start talking really spend money technical knew intelligent satellite really work season bad story bad worse execution immortal palmer president near death torture huge escape without much limping opening sequence end thrilling action generally thank god time plan season seven make good following awesome season five season six par popular opinion worst season season way slowly tried fit way much season plot basically bunch plot previous palmer president say worst season mean worst season favorite show one mankind ever blessed season terrible season series season still kept edge seat season also thought season one best one best whole series end previous season jack put freighter bound china opinion season picked right season five ended season could taken place china could involved jack trying rescue could jack tortured information season could centered around jack escape cope environment could different season previous instead season set almost two season five country attack terrorist leader al hit suicide abu former associate agreed give government location exchange jack ago brother tortured death jack revenge president palmer unfortunately government hand jack jack die something opposed dying nothing prison jack torture torturing jack responsible jack free biting guy neck air strike u military jack president offer deal pardon exchange help stopping jack ago working special two men still grudge kill jack forced kill forced jack longer work morning jack discovered nuclear bomb field team bomb thanks information provided jack team garage manage set device nuclear bomb small town outside l see jack quit five able set nuclear bomb four far season pretty good unfortunately gradually go downhill bomb set jack get back game point killing provide five drama jack said right back anyway jack stolen company run father brother jack cover unsuccessful tortured jack like might talk like also evil completely convoluted thing josh son exchange jack going kill jack jack back turned leaves phone number jack call jack talking former president house arrest could good unfortunately anything later shoulder ex wife rushed hospital day know although might return season story completely unnecessary anything except sent consulate talk guy return king could anyone bring major character story turn around cut back meanwhile palmer decided start peace try negotiate stop violence part unfortunately group government try kill president palmer think weak president whose leadership hurt country bomb palmer badly injured bring going kill point character going anything palmer vice president presidency guy idiot obviously trying put another moron charge make difficult jack idiot realistic people previous like realistic way would gotten someone always kind rationale behind idiot given situation always least intelligent option couple slow moving jack finally locate jack dramatic confrontation ceiling jack call cheng agent torture last two cheng jack obtain circuit board circuit board information military cheng jack still alive day jack informed car accident china china looking made clear custody whole time cheng jack get circuit board jack die season slowly going downhill point jack back cheng circuit board jack severely gave gone insane father jack want jack anywhere near restraining order rest season jack trying get circuit board back whole thing showdown oil rig cheng working jack dad suddenly brought back story josh commando team lost team kidnap going back china take josh lost sons start grandson got worst motivation villain ever life start war circuit board vice president air strike oil rig attempt destroy circuit board jack bill decide try rescue josh carried succeed manage capture cheng well soon clear jack chopper goes find last fifteen jack heller home see angry heller blaming condition also getting china escape seeing best thing away leaves house beach suicide season silent clock sacrifice opinion season one best also one best series history could save familiar moronic throughout said plot practically one plot line another nothing new chiefly worst season series another thing season bad lack foresight start plot line realize idea finish example many worst season mean complete piece trash season infinitely better trash show truly great season like made basic cable action show would air every every plot device formula almost point feel literally cut pasted season left mind every week new episode st right amount action mixture suspense whole thing jack going sacrifice jack death card times know going live create suspense emotion knew would escape sub plot white house detention got annoying keep hearing know going happen nuclear bomb show going suspected uncreative ways bottom line know first nuke going found begin make nervous know go jack character got cut lot well teens min episode well important understand season lot follow season think plot complete replica season lot left unanswered radiation bomb morris drinking first place last good yes plot took unrelated turn previous least suspense like however whole thing ridiculous bring back character know look evil torture jack bunch people love throwing military u plot better still little strange unrealistic great addition cast kept show white house going since one else morris excellent addition great take especially history sure personality frequently sure one worst bill excellent director usual stays true like jack amount time involved excellent show would better involved main plot milo pressman like much bit annoying whole sublot mike beginning however ended liking end bombed way favorite character show besides jack never annoying love season palmer good character overall always strength deep president v p stand character even add show mind tony season overall thanks reading easily worst day ever first great rest day drag real plot sake another major problem lack great previously show new palmer sister super annoying good season jack v p booth sin city deadwood even diehard fan skip season complete waste best watch free would shame waste money awesome buy season six anywhere unless want spend twice much need watching couple never see first run fox truly one five would difficulty favorite season season six tough time getting enough jack plot turns interesting found sadly falling asleep matter still love jack looking forward season way could would know product perhaps never going receive product first place still season refund either seller reply never use learned lesson season dramatic departure show claim able pass train wreck season altogether recommend painful every conceivable way sole highlight episode guest starring fantastic jean smart former first lady love dearly obviously wait th season sigh whoever wrote season bad job could predict everything every line guilty also cheesy could believe usually watch show without sleeping wait see th season took week finish much finished sake finishing know wait th season disappointed recommend previous everyone buy th season worth season disappointment palmer president united compute zero sense stupid move even compelling character watching coma hardly different job president best part presidency evil vice president awesome ever kill survive back thought good idea kill tony tony supposed death big part love know tony may dead since get silent clock end episode please let jack kill telling shot arm thigh entire twisted plot jack family bizarre unsatisfying admit spent season reading barry real time show much interesting exciting think write next season something first four way excellent could suspend disbelief jack superb physical condition prison like ran creative energy hour four season seven improvement certain hope true otherwise definitely shark finished watching season disappointed used one give since end important gave one star plot confused seem right good point end season would episode major season carried wonder production date possible season produced maybe light season put hold later palmer added later create bridge season since spent season coma would like episode meant end one cut stuff order get space air season strange plot added namely jack evil brother father initially almost jack father white house conspiring found hard pick enemy chose combine major one day watching feel like days first time really hope better job season season doubt worst six season already clear unable acquire good acting talent suffering nepotism season plot could made realistic invincibility awful playscript poor acting performance script needs extreme vocabulary prevent like going listen c rated series depth producer actor clearly full longer interested movie thing longer interested watching program boring never seller would say sent never tried make right like watch season better worse heck recommend remain outstanding series season like might better hope since word street major looking forward gotten season last year different stated season five best previous high abound season six huge disappointment several jack believable never buff daddy like went season alright alright know prison maybe role believe bad dude thats small thing still factor secondly almost gone exception rush secret love one left new grip enough care top jack real friend left world help terrorist much story often slow moving frankly boring show work third shift found skipping much show say half show boring chatter grip jack dad traitor next mother secret terrorist agent really dead getting old stupid boring still writing show please ditch please bring back favorite writer imagine writing arse season simply enough jack jack care gone believe season better hope go style pick season buy cheap worth full price moment season bar set tree season think great well course think great show season six sorry say better start something different going last first thing get place character beautiful yes character start new york telling truth wonderful series however season series becomes politically correct people like series typically looking escape politically correct ideology media disappointed season much watch season finale avid fan since season even went way spread good news jack family season really hope next season better agree one everyone jack basically dead except annoying deal back dead get put mental institution go back work president people exposed radiation honestly say hope season good season kick definitely last season ordered th date still received seller received response would suggest seller man going great violent prime time show ever less killing one clearly simply shock audience need get rid actor reason went downhill humble opinion plot downhill mean show magnitude episode many shot special effects rarely mediocre get feel everyone involved giving best mean people cast technical giving best flawed premise plot farfetched forced unplausible advantage secret enemy useful since know possess defense technology also see briefly zombie bad call well anyway think show still jump shark happen soon one painfully lame keep wanting like improbable even always leave brain door entertainment extreme dependence suspension disbelief season six much getting better every year five suddenly show forgot accept even show like palmer credibility president entire plot absurd even u choice hand jack terrorist order save country terrorist make sure us try get back course like every season headquarters government agency world staffed suspiciously attractive something key authority people access anything computer world security system within three watching season investment time watching first episode season six even biggest series wonder want stick around end one fan immensely disappointed season waste money garbage price fine usual product away good see waste thank jack saving world g n moan worth wish would thing thought season would good would sort drinking game one shot every time hear jack sigh college days ya first season worth ultimately unhappy break set much day way big maintain like day production poor start know maybe wonderful series day event wonderful ride bought six season painfully made know watch watching beginning hope would get better stuff getting old always traitor accused traitor inside always stuff believable way much little grunt noise part character notice two disc missing package maybe oversight part seller put big bold season six either return package cost buy another set season six ware first die hard addict said know b season b start finish try make review concise possible stand people write page much major b wrong season see could turn rambling every opinion cannot tell people star make think hard season review written persuade people good collectively send back everyone else buy plot know fiction part appeal dealt real post era season fiction realm harry hotter jack trying stop nuke thing show real life altogether worst incident u history take place cheap way shock us season premiere easy get terrorist support nation able get four selling mart story unbelievable way enjoy clock stand nit picker crap almost daring call b st jack going underground literally later get far away even check assume parking garage casually cell finally example door literally next second hide later make sewer helicopter far enough away registered high tech cover within x inch computer could go want sound nit picky want people giving good realize concept fell love used least stretch imagination fit oh thought take long time convince help nit picky stand nit stuff really nit picky bad enough bring quality show small big b happening midst huge b example past jack always excuse go rogue time many jack following lead jack going jack say personal come love jack know dad involved personal really really example jack trail lead lead go jack tell backup coming example know action done plenty times really many row shoot someone moment trigger someone else soap opera whole season soap opera bother explain see review want take back attempt cordial people opinion either mindless form action violence willing accept anything title good good scene jack torturing brother intense accept lie say question actually telling truth lie detector actually behind president palmer machine lie make sure busted jack cool point simply even good season still require incredible amount turning cheek audience summary could go apart season goes show deserving star upon appreciate plot coming together eventual plot twist climax one complain worse first season watched beginning realize good story previous hard back show already explaining media midway season seriously love people accept bad season even deserve honest stop making good people waste hard let review first season wife third season forced kill go death forth season daughter coming back life oh yeah two also main suffer die fifth season new love life jack finally chance love along daughter end season tortured two overlook season nothing beat crap jack take everything season cliff ready take pathetic life echo everything touch either eventually running head season poorly written scraped barrel repeated everything already done somehow believe good idea beat crap main character audience feeling left best season completely depressing dragged review nothing season good solid gold best contemporary television offer drama engrossing plot care truly unprecedented give said season hurt watch theory time talent unfortunately divided season feature movie said script early last summer also cool setting probably lived potential place set big story peaked day incredible poison gas fear guild strike might prove death blow since day officially probably hope date clear see day day former fan happier right really resisting urge cave buy day ultimately know better revisit truly saddening disaster put day instead first like many big fan long time days ever even day killing many important found way continue show without tony almost nothing make new show gone old please kill remember good days season strongly suspense every turn little past mid season writing many completely fell apart love series catch start new season set watch play pop excellent picture sound first time either season unit thing fix one biggest due perhaps raised say season disappointing offer level grip plot show prior watching season used wish keep going end season lost spirit hope season recover still watch season sincerely hope legacy show level entertainment like incredibly maddening season go one preposterous weakness another nuclear explosion soil go middle season story everyone forgotten nuclear holocaust former president nutty ex wife nothing ex former secret service agent disappear throughout season may fact publicly admitted story arc making went along storytelling video equivalent child convey story continually saying series one chance show something next season watched since debut time best show perfect mix action suspense emotion new real time format high quality except season get see season show become increasingly violent torture used often cut easily blinking eye show fostering us mentality also answer let nuke approach nuke half world torture half live happily ever embracing radiation used us torture gore prevalent show element surprise example jack looking still signal even though jack find knew cut arm left behind jack become character devoid humanity torture provider think result use torture often also fact gave personal side gone buy story seem capable loving anyone exception like bill everyone like caricature brought jack replacement quits show annoying ever show good bearable another negative morris milo credible role involvement kiss middle nuclear bomb crisis office ridiculous many times going recycle originality case sad evolution show scale really every year buy hooked instantly first season many hooked season good well constantly convince take series entertainment overlook plot drive show season one better elimination key stunning plot twist season dipped series back mediocrity found convincing brain accept use push story along try keep engaged warning upcoming read seen season yet jack returned prison china deal president palmer told us hefty price never revealed president jack sacrifice life stop series country patriotic ever jack course jack hunting multiple nuclear suitcase plain stereotypical plot stopping extremist backed rogue nuclear suitcase us soil series tiring infighting white house keep plot moving sound familiar get wrong love show stated really need come new ways keep loyal attract new tired tread disagree jack plan saving country times past proving loyalty count anything contain absolutely nothing name useless high mortality rate headquarters hacked love personal always stop plot dead nuclear bomb people focus let worry morris drinking problem tomorrow milo work later well milo much complete disregard security protocol wonder computer get hacked ability get anywhere la except jack field need back harder harder accept ways move plot forward honestly believe president would continue allow operate seem resolve whatever issue often ineptitude leaves swath destruction death emergency resolved mind president worth salt would disband unit jack new team strictly black federal operate watched season devotion series desperately needs injection new plot revolve around jack current format run course disappointment suppose still kind fan forbade anyone call watching show swept often even though show repeated still done fresh suspenseful way sixth season almost parody many torture much patriotic rhetoric happening little interpersonal interaction one season good got see sides like arc complex beat dead horse critique season bring back edge seat excitement love show finished watching season live already ever fox fire got qualified people buy rather buy season great wow film typically little media popular time think story translate well film book main character think well cast rabbit never seen movie care although like tried player could get work want refund expensive could believe would play player popcorn ready recliner position home movie would play ago saw time poker recently getting poker bit show always eventually gave another go beginning series made book would made would inch tall every episode geared toward viewer mental prowess st grader nothing ever appear heavily staged end find whole series one big advertisement next season amazing race choose watch enjoy watching amber struggle odds grueling stressful task gasp finding place rent watch rob throw little every time win enough poker thrown wake watching time see rob trying interesting furnishing apartment terrible quality save money unfortunately small quality one bad watched hope credit way watched series curious see training seal put forge someone top notch know unfortunately dod recruiting flick short pretty much substance worth even let alone fox shame shame would merciful never first two show better problem fox release season heavens sake stalling keep making double sided many play right policy buy double sided voyage great show hope one day issue complete set single sided like knight rider la po es audio ni en si las four season language invisible edition many people bad bad show everything wonderful th century fox set example follow quality finished product incredibly beautiful picture sound quality respect consideration show show version previous audio track everything gone left something people totally disappointed disgusted irrational move last season last season show hasta la vista th century fox solo la de es rhino la fox mal la de p ni son de la fox ya un al en es enough season vol season vol crap give us complete series one package already time please volume volume nonsense time bought vol vol get complete season expensive around forty year old good show get full season twenty sale ridiculous whats change volume fox keep whole series kind ploy get buy another set undoubtedly release full set package fox sadly mistaken currently set benefit making splitting god awful double sided single sided full printable disc last double sided disc set ever buy opinion poor user friendly many cut despite extremely long wait volume appear beloved voyage bottom sea anyone fox waiting final volume complete collection buy thats fox sub standard half hearted rubbish amount attention lost space poor really beware fox terrible quality control basically care purchaser part set double two thus making set incomplete financial loss get replacement disk send whole set back expense fox receive replacement set take three four send replacement disc gladly return extra disc two shame fox one never purchase show great couple year say see lame white gorilla episode believe see pathetic rah rah cheer wreak havoc sea view believe could stand watch every episode box set put pilot episode already shown least could done add next week always fun watch bad one could condensed teaser figured plot guess since time tunnel hit year time travel really favorite show guess stopped seeing around season cause recall gave one star show fantastic many people disc one ordered two bought one set best buy result finally able figure disc one play non ray least play particular ray player fortunately kept old player able watch disc please aware disk one faulty disk first supernatural play either player computer love show get wrong find half special disc six said missing something well brains like violence good acting buy great series disappointed received supernatural season read computer error really excited order extremely disappointed well got gift say shipping mother got adore x twilight zone outer caught grown version afraid dark nick show better effects plot well believable sat crap waiting good part finally came know masochist sat another couple show fantastic bottle wine meal teeth watched abomination pretentiously lurch around tune star rated show even better x could contain glee knew slightly better coming couple us sat talking awful week upon week gone college couple would break bottle wine head done twisting truth sat sat watched drudgery chauvinistic male bonding know supposed handsome really little time acting someone important goes crossroad awful regardless last couple surprise good may wine let show take little credit give season actually bought semi enjoying still awful seem written low acid addict much digress save trip hell skip last disk sell humble opinion show could start episode maybe season nothing would also disk quality slightly better much note significant code relationship married time per shipping disc lot getting play without stopping examination several large scratches across disc new therefore sheer bad quality control scratch could possibly stage someone thought would try slip trying hard like show good writing predictable silly dialogue concept good one wish momentum better poor deliver truly interesting theme could possibly become boring supernatural thing series ability survive pretty soap opera crying sorry wet suffering manly sorrow deep purchase season elsewhere first disc play player took next door neighbor problem returned ordered season guess thing first disc play cliff hanger hell like order someone else wait another days see dean sam dad guess worst pretty good shape want warn potential season issue ordered supernatural may th accidentally typo street number couple problem receive package hear back month hearing received message vacation check back correct address never back ridiculous want money back want buy anyone unreliable person trying refrain bad review days issue resolved want back business rely timely check bet one get quickly love show much find little hard watch show show took spot buffy vampire slayer left behind want buffy end later comes show two hunting like gang extra testosterone added give much use nice read couple write disc simply unreadable work perfectly returned set received second set thing luckily customer service elsewhere see problem disappointed quality season box set supernatural bought season last year perfect unfortunately say set process watching night shifter disc picture freezing stopped player gave check disc may dirty message knew disc dirty since fussy never touch food thought impossible since brand new never anyway took disc player checked discover badly checked first got assumed box set new sealed would perfect condition fantastic sent another box set yesterday first thing check believe found one badly actually plastic around hole middle luckily disc disc since told keep original box set since posting back costly able put together unscratched box set way dealt problem great company deal glad around supernatural box special department box set though apart quality control show awesome love show decide buy box better brazil surprise put second season player discovered season wrong region would play hate supernatural season made tripe narrator main character overly simplistic annoying voice throughout plot interrupted far frequently clips news old wasted save money say disappointed would understatement little depth discussion like good information people act talk boring badly written bring watch whole thing theres real story line effects suck watch unless need something help sleep uncensored version also way many bad u order u want see often go couple one exception first season amazing second third season disappointing mystery less complex riveting less compelling writing less quirky consider kind probably enjoy season hand find irritating shallow character sub par actor prominence every single episode annoying definitely watch season need bother watching complete first complete second television produced last twenty third season bad almost like watching different series go far top character unrecognizable fade background pale unentertaining former weak even offensive treatment rape social recommend skip season three save money one two season one especially top notch writing excellent ensemble cast gripping plot still try get everyone meet watch season one best stop even knowing season three used hard miss show never one consider best ever kind hyperbole cheap basically untrue entertaining compelling mystery heartbreaking harrowing funny mostly complex intriguing show flawed start important emotional sometimes glossed view class struggle difficult somewhat simplified much ready reliance clever instead honest exploration never show strong easy root central character tough compassionate intelligent prone victim never gave supporting cast top notch notably loving often father trying best daughter rebuild life showing remarkable range depth contradictory dimensional rough kind troublesome adult secret pain less healthy coping arcing interesting mostly handled well keeping audience guessing giving deserved pay end added bonus chemistry several joy behold father daughter duo simply delighted unexpected welcome spark irresistible past season summed one word disappointment difficult process steep drop quality behind perhaps move another graduation high school college network difficult show overcome neither account glaring plagued past point thankfully last season writing inevitable business television people leave writing team new join usually adjustment however simply excuse sheer laziness incoherence year story set follow utterly established canon past two sweeping cringe worthy incomprehensible reasoning boring filler boring still filler guest level humor show well always racy edge fine nevertheless used elicit laughter year tumbled groin level longer simply crude lot felt frat house bulletin would least made sense said made number frat season instead glibly instead one main mystery arc two second season decided go several shorter fair enough like idea worth exploring scatter less time forget already dynamic pace sadly got less less compelling less attention accuracy less logic motivation less impact meaning less actual interest seeing cartoon version bogey woman edition scare little frat nights wig wearing clever criminal easily insulting harmful handling sensitive complex impossible care two came stand alone two basically thinly disguised public service three blatantly previously used plot end pay wasted potential frustration fatigue complex established audience knew either minute exposition unrecognizable sudden personality season lost lot summer utter blindness daughter behavior incomprehensible unlike past fighter survivor downtrodden season downtrodden less made audition tenuous good opinion hard find guy explain obvious every three weevil appear incomprehensible week week instead several new presumably capture elusive new failing spectacularly taking screen time offering little shoe horned forgettable impossible take seriously trivial moppet haired wide eyed grown child comes mercilessly may well wearing plot device written yet time presence time could used interesting mystery actual character development main heroine exploration potential set season old new could poor material given handicapped start used show attention show good memory quest attract new audience show large chunk old one start sympathetic strong suddenly irritating like defensive victim season previous two confident graduated smug used assertive seeker justice simply vindictive petty aspiration join yet broke law weekly basis without batting eyelash victim assault problem male victim incredibly bright yet put mind numbing stupidity child five would known avoid brittle shrill touching relationship reduced hair inappropriate series slapstick sexual nature lying occasional platitude maybe would glaring impossible take reason given behavior find enough trauma short life send ten people running nearest shrink yet nothing acknowledged season uncalled behavior something admired perhaps always way year bell performance deliver enough subtext show enough underlying vulnerability outer shell sad see promising beloved series end season bad share great unexpected memorable compelling episode two far cry season even much relief disappointment see show go cancellation first season always one favorite show latter cannot compete found second season convoluted thought likability starting fade third season however much simplified worst offense title character becomes complete mary sue nowhere near vicinity season one yet everyone love superior gift college professor vouch internship college dean glowing letter recommendation able stay top college working cooking dinner father time adjustment madly love willing anything protect annoying character college roomie following always attractive smart character continue happen despite coldness smugness arrogance wait wait set fall see error ways never obvious creator show head character like lost necessary objectiveness right wrong even member audience would bearable much year first two much better job balancing even though show title character felt like ensemble cast year amazing talent rest wasted real outside time weevil hardly ever screen utter waste character sickle wit screen time end much enough everyone else coupled dumb version smart show pilot episode series mind good first season good second season right third season terrible show literally time unfortunately watching nagging desire see complete first practically perfect every way emotionally end pilot following journey best friend murderer complete second much boring lame went strong shocking intense final episode hand season barely attention large variety grown love care aside unimportant order make room new boring like become virtually unrecognizable father majority eternal search justice character care root longer kept watching would season style turnaround however quickly grew disgusted repeated rape sexual humiliation disrespectful way even survivor sexual assault make rape everything use love show written lazy misogynistic furthermore even top notch acting quality bell top humorous make fact time except one inappropriate father daughter season brilliant quickly popular character even season mumbling recommendation save money first season definitely worth suffer first half second season lot better third season awful even watch last bother watching already man show season awesome season however total waste time money absolutely worth juvenile favorite show mere writing terrible handling sensitive clumsy immature like went college rob went back high school buy save money better television based lot already posted think whole lot people calling like take upon voice truth season star people raving love show unwilling accept truth star people giving season fair single show single one wife flock week week season exception season found completely involved previous season way midseason cliff hanger serial rapist murder campus suspense mystery tact juicy ever show back gotten involved first handful following lack better uneventful way odd uncomfortable season finale ended yawning cast vote even wife abrupt uneventful ending lose interest network pull plug show wrote final think personally believe thing weak ending season would knew given turn gave speculation aside fell table halfway season charm personality involved still intact told par fledgling show instead show given us best television around prior needs face suffering quality show lack lack like big cause watching unfortunately watching think kind telling third season could barely pull two million lot watching weevil mac lamb every still bitter even though reason since season performance say third year hey new opening nice maybe good lot might better like brilliant ended way early one year end season really like show still air love show season bad season young sharp witty seamless together interaction dad great snappy good arc mystery sappy girl first two fantastic television common knowledge rob change formula show take away season long mystery really best part show add annoying cutter teen horrible melodrama bear name going make becomes basis whole show final episode series however wonderful return quality really thing recommend watching season stick first two pretend happen interesting crime fighting crime fighting becoming side line romantic interlude soap opera unrealistic season much promise like many good wait freshman imaginary u fan original series found one hard swallow even harder engage maybe old enjoy seeing favorite aged new series newcomer found little like engage really disappointed puzzled change quality season show last series worth watching slow moving two story got lost little stale series ever pollute one believable sympathetic character cast ordered third season much moonlight useless wet noodle fast mindless rubbish threw set trash sent county would never watch anything else bell role previous season leaves lot desired whole lot outcast apple everyone eye charismatic whipped best father ever sexual banter daughter intriguing plot reduced time ensemble cast funny emotional intensity sharply drawn sense place want know certainly season would matter tried never received bought many disappointed one work unfortunately past time could return purchase stuck part season received begin season missing disc highly disappointed would like return money back looking full season first season second season good despite third left giant mental question mark part problem show switched new audience would coming little knowledge previously show deal decided abandon season long mystery show used lily murder season bus crash season favor several final five stand alone see reasoning behind decision show lack cohesiveness minor problem season first met high school junior whose world turned upside best friend brutally without explanation father lost job become local outcast mother left town top party see first season intelligent determined put life back together cheer recreate life something new fast third season college prestigious college high school side still beautiful still smart sarcastic good heart plucky determinism wearing bit thin first case catch rapist coed raping shaving case hit close home perhaps bit close home another case forgetting survivor crime used advantage seem little cold little less sympathetic almost case season sex way hooker heart gold trying escape pimp sex tape making way around campus much time exploitive none phase personal connection quite simply huge fault book also lost bite soul mate sometimes always sarcastic wit match able think joke way sticky treat watching butt occasionally meet middle season lost sense humor nary comment father one best father daughter dynamics television family joke always genuine affection underlying exchange season banter crossed line friendly disturbingly sexual almost forgot father daughter meanwhile several new little purpose continuity never strong point pretty much season best friend large portion season never even acknowledged explanation one bats eyelash par course good season several surprising tense witty episode identity hearst rapist winner example giving season two compare clear show really shark third final season depressing let great series like craving cant wait watch movie kind unique fan enjoy turgid form drama comedy slop found dished like unwanted rice pudding like school cafeteria choppy writing direction overall plot package acting pedestrian course speak younger screeching level like chalk board movie worse saw screening like pilot must dumb enough send make stinker mindless crap give huge fan writing good real instead obligatory gratuitous content largely absent great show see bed listen pillow talk experience mac sexual know goes college need see favorite though hey try lazy need dig pile titillating non content great show need make work pass season thanks last disc cracked third fourth disc missing someone went trouble make disc set look new sealed package scam clear show went downhill plot worse realism spent lot time building character season goes dad start losing good breaking law show stupid never seen show rest completely past first season fine compelling television yes cannot said later final season creatively bankrupt oddly self show character unrecognizable even misogynistic nonsensical aside still commit cardinal sin entertainment boring sad end promising series bought series rather busy get chance watch whole lot also bought second season well problem one time got around watching series day return policy play properly way exchange make note anyone interested need see play properly return time stuck series good write review time doesnt like fact product came plastic casing rather cardboard trifold casing come write review review picture cardboard tri fold holder got plastic holder booklet even separate feedback seller feedback case didnt want release set set episode terrible hard read sync fast disappointed even disappointed find episode go buy able watch rest show shameful never whatever v one pop culture piece dragon dung really idea keep getting sometimes sense previously met writing season one times disturbing frat vilification feminism much help two brilliance season one spectacular season two bit still much good given third season wish many wrong season three barely know begin hateful portrayal outside hate speech writing previous ludicrous degree felt like none even seen show ever really weird inappropriate bordered pedophilia oh funny male rape even gotten yet one sympathetic thing season hard cold cruel identify level whatsoever highly recommend truly first two skip season pretend show ended two worth watching even completeness closed closed nice even though love bell watched much notation advertisement telling us whether closed dumb like one bit sure ever popular boring never watch last time take rotten seriously bad days kept waiting get better sadly got worse better bad acting bad script bad everything buy lot good one prime example long tend fall apart finally grave also sad commentary far many people know movie fast forwards future people apparently still like many know hung high school brief recap perhaps self show well total female dog throughout series psychology top class going lawyer apparently line get big job new york living guess took new york intern end season opening movie spoken yet within phone number accused yet another murder second conversation leave new york fly back next day another ya know married suspect high girl power self female dog still start finish throughout movie much series sarcasm witty banter toned non existent also much movie like done potentially interesting past yet another sex tape murder mystery high drop go work expert crime like drop old high school calling sad commentary far many people know cannot get high school movie roughly old high school still primary force like one grown except maybe still hung hung still apparently still spineless nice guy wonder two sheriff younger brother dead sheriff lamb stupid brother really wonder dumb keep getting solve mystery must turn high school self female dog blow job new york blow year relationship beg question met yet really break second phone call end year relationship bang within days meeting ending hold onto life long people high school another plot hole apparently lost p year break business also think would learn use gun instead guess show go back bad mantra subtly put yes ring rust p would nice weevil apparently end motorcycle gang heck weevil movie done anything illegal child old married weevil one actually grown end guess old bad influence people ultimately general plot movie pointless end season truthfully better worse movie fact think movie harm good graduation still always exact adult loan problem briefly point sarcasm reality movie revolve around people old high school comes sad weird stated commentary far many people known met also little explanation except basketball coach last checked sport getting mechanical engineering degree mac still job fitting p apparently slight explanation new sheriff lamb never got job deputy new job got understand star supporting cast given much love spotlight appear actually maybe little meanwhile spotlight love one bit one last note military could maybe go story little speaking really performance sad season solid fun watch dating turns sad quiet timid little boy character really went star bore seeing series first time basically past week watching movie must say movie greatly fun slow bad acting bad direction movie movie disappointed ordered movie format evening still cannot start say watch movie time actually movie view movie night rule able watch movie low grade acting story line interest level good middle school age able hold interest well huge fan lame personality film get even look like sex language shock value show movie movie thought would great rated disagree never watched show attempt fill since went air never watched series saw start rating prime wife decided watch movie one evening disappointed acting sub par stale unless die hard fan original series movie would recommend anyone one worst ever story acting please click button rent sorry good movie acting stellar waste money time rent movie good like two hour show bad acting guess big fan show like movie movie answer ending terrible way season happy made like one got life stuck way really season two three fair good show based great idea ran good story rented high whole family ultimately turned story slow good plot somehow dull campaign make feature length film based show really looking forward high great movie would come project going get firefly treatment alas movie serenity yes know write star unfortunately suspect many unwilling admit buyer remorse unwatchable movie way deserving normal would give feel try counteract least small extent current artificially high rating say movie simply boring something series never great writing humor witty dialogue consider good actor sleepwalking performance tell problem movie lack inspiration rather taking movie fresh direction rob content check match show old result great example pointed new character sheriff dan lamb corrupt image conscious brother deceased lamb former corrupt image conscious sheriff show oh well least make identical twin brother many sex realistically work one movie plot disjointed supposed happiness couple break first bump road even try work even day epic love life mean never big fan come also without word exposition weevil motorcycle gang tried kill movie leaves loose end weak attempt set sequel perhaps thanks never saw show movie likely reliant back story appeal fan show would still give one pass better remember show prime repeat negative review film film great truly love letter review merely product got say horrible interface completely unimaginative rookie made interface home slang street mean bad special minute anything new fan standard kind review single disc non ray contribution movie hoped would better hoped want film nothing else buy looking special might well get expensive ray ray lot us damn warner damn nothing said digital copy able watch streaming service device playable one way usually interested digital media show disappointed series say series live show potential said good see old going past rent first probably never watch still felt like many unanswered show throughout movie give really terrible acting rented good different taste say least tried crass go anywhere getting trust rating year old watch movie rented lazy settled watch found poorly film turned horrible way rate movie poor story line lousy plot tried hard make lead role tough many sexual barely movie like listening high school talking smack mall torturous rather watch bad show knowing much previous series went minimal knowledge character story wife thought writing horrible fact cost us wasted time tried give chance would get better possibly interesting sadly watched series might movie background noise wife read book worked computer pace little slow story shallow taste wife however said nancy drew acting awful main girl dad rest young teenage girl find mental stimulation movie would good show middle drama queen really nothing interesting show horrible acting strange plot downright annoying make movie think movie like one horrible series never adapt movie bad acting bad script terrible could finish waste time slow got plot obvious lost excitement early movie worth rental fee indictment handled anything able see movie service provided work severely disappointed think twice anything people involved project bad story line bad plot waste time money save different movie instead appropriate appealing basically worth seeing age group skip one bummed huge fan left saying heck sassy kick version feel though thought series better acting depth got see show least got closure series series ended terribly thought poor job best could extraordinary return story line weak acting bring back series used please decent effort really weak predictable script slow pace torturous even sarcastic humor grew accustomed series fell flat movie waste time money way seen lot high school believable waste time read book disappointed movie true everything made series great dark downcast gritty edgy stuff series original fun live amount foul language ridiculous uncalled witty sarcasm made fun plot slow lost chemistry one another climax excellent however everything originally sorry entertaining know else say except would skip one without doubt interesting acting poor well fair halfway turned maybe second half better buy maybe rent slow real plot line really hard get watch wait tell free watch terrible film script tailor made self flew meet give second thought heroine paint want money back came late show really radar whole campaign get film made rented watched three see hullabaloo ended liking show lot particularly bell smart savvy clever perfect match actor role wonder made star sudden looking forward film eager see main spend couple old ever friend imagine disappointment dark dull flaccid mess film creator director rob us earth writing lifeless direction photography dank muddy part amateur hour whole plot like something thrown writer meeting back worst fearless leader longer fun grown tough humorless crank adult since rodman took basketball troupe north basically last live vague us best instead feeling go feel oh dear sure want least whole project perfunctory slapdash miss way mark little care time could start fun modest movie franchise doubt hearing time soon best one miss movie worst movie ever saw hope else watch give infantile poorly written quite ready high school drama class predictable slow humor caddy waste time money wait come beginning feel like watching show movie spoil intent seeing serious crime mystery maybe jaded disappointment spur moment rental poor choice wife left part way though went bed labored back story voice weakly murder felt like exhausted show rather movie begin school reunion launch much pointless set opportunity bell great actress premise story believable however direction casting everything else goes making good movie missing one really tried get entire movie ended insulting number felt falling class c worse television corny dialogue bad acting pedestrian plot line save money better movie stop trend first like tied loose little disappointed movie f word movie felt like went little top language speech almost movie instead would given really like movie kind ruined boring even remember like get much attention high rating substance say boring waste money disappointing great series stopped sequel necessary could bad right beginning felt like made movie disconnected shut early movie worth money would recommend waste time even chic horrible movie obviously star rating boring nothing ever movie slow bad acting plot see truly fun want live play past grow skip skip skip one extra added meet minimum word requirement review oh yeah skip one b grade movie poor acting poor production would recommend many better movie slow get go never really got interesting end movie like low budget film language sexual innuendo laced throughout movie ruined positive aspect selection family movie night better program spending money movie save money movie predictable poorly written acting bad like wife research got feeling character young section library nothing wrong movie looking time money ill spent poorly done bad acting need say story line plot loose pathetic dull blah three one say maybe get going soon end saying well maybe watched even think found story interesting good example sleepwalking getting even talk love story passionate k enough said bad acting bad writing watch fiasco question source film high rating thought watching poorly written show acting terrible waste money stopped watching half hour guess series realize teen movie felt like watching nancy drew adult suspense movie terrible acting terrible script make end amateurish sound like reading good thing girl pretty otherwise would total waste time acting flat plot predictable trying hard writing bad falsely worth time money big fan worth money really big disappointment kept seeing show kind nancy drew theme watching first episode free crude language much got one fourth way episode one high school truly really really sad far society fallen looking something clean watch sorry say born cannot suggest anyone sincerely first unusual number five star rate past academy award nominated put together total also interesting fanatic slasher hacking one give one star less depending date gave one star happy reason large number people making sure movie rewarding movie simplistic dialogue could come cliche saturated high school apprentice writer acting bad could manage one short emotionless line pause next actor respond kind back tediously back forth composed dialogue composed superficial attempt appear current e g video product placement lot formula e g dumb act cool surfer dude party people lawyer bad every see anything answer blandly milk people honest financially movie want see quality acting props actually think watch best offer may cleanse effects film shallow banality far fanatic hope series representation un productively lived let know movie let us felt like watching show video effects go light dark well done silly little movie somewhat entertaining though least mystery remains one end predictable slow poor acting plot weak bother wasting money time hope help like terrible acting plot corny get high rating oh well difficult time identify main story polite b movie sorry opinion sure movie ever funded painful watch fumble bumble way bad script acting silly story kept watching would improve got worst right end going back high school go hopefully cast salary profit share like high school age decade like nothing much ten like extended episode movie thing professional status otherwise seem like older version people never really completely sure grow much story also predictable almost worth watching poorly turned rent movie kept waiting get better recommend wonder series much say generation anywhere near well future movie making surely going hill meant serious meant sure would put since trash safe full disclosure watch series found plot predictable little corny series probably work well people watch series conclusion watch series skip waste time tried funny tried suspenseful never got ground fan series beginning worried watching movie want ruin experience series wish pill could take watching movie make forget case say worst movie ever seen number insurmountable number one bell like baby secret bell movie star talented actress attractive recent much movie writing plot acting series hurt hot feel bad saying bell look hot movie mean almost stopped watching root one good completely unnecessary got almost screen time killer turns someone know really care weevil motorcycle gang ought home daughter never learn tried murder killer shooting cat killer shooting cat sure show cat miraculously alive three bin would trick killer shooting cat even watch series series seen movie yet see movie wish never watched series please watch original show see movie star rating buzz social media wonderful series thought would easy pick wrong acting stiff forced constant voice exposition lazy annoying story line incoherent pathos without foundation dialogue one cliche another nothing movie remotely believable standard film us accept bad gave get interesting nothing waste story interesting sexual movie inappropriate acting poor sorry ever rented expensive bad boring movie bad acting plot thing seen mediocre b series move thought movie would much better last movie excitement film even got like cheating like rob threw story together enough old big disappointment movie interesting even time compelling complex intriguing plot good movie movie live series story slow anticlimactic better suspenseful thriller language bad definitely regret watching poor script even finish wish would even ordered get refund movie twice first assumed would still available couple days later personal computer instead travel computer logged days later cannot stream title purchase order watch unlimited amount times computer watch waste fun see old plot rest movie trite slow nothing great slow like show free bade thirty kept waiting get good slow elementary lame story truly unbelievable could barely sit watching made movie watched five star rating one star kept recommend unless free movie search plot story search satisfying ending much wrong difficult know begin receive entire purchase price due transmission tried watch ended watching even free felt good thought going good rented instead spunk kick butt however morals terrible leaves sweet lurch new york guy good plot plenty action kind hard believe play equipment sorry ordered sorry know like fan show appreciate movie stand alone never watched show huge fan found movie disappointing much movie make sense unfortunate series smart funny great movie live movie interesting concept dig surface danger trying come way bring back forced many dan lamb brother deceased incompetent lazy sheriff lamb poor jerry trying imitate character completely unnecessary could van lower role incompetent sheriff trying recreate character sheriff lamb brother really amateur weak went working butt become mechanical engineer teacher coach high ring true character choice end movie came left field rhyme reason horrible waste character better given nod reunion let character gracefully bow dick still haircut thing lit like another day high school exchange forced people really fall old like whole movie forcing remain past would seen growth let move sure give insight done since high school college good grief let grow move old little easter egg lazy fashion might well broken fourth wall laid right audience movie series gradually reveal whodunit dig various make plot movie would better mystery cut police corruption nonsense written plot story place several nonsensical character trying cram much movie movie felt like series apparently cross nancy drew bad soap opera everything corrupt sheriff department bad motorcycle gang covered high school death comes back light current death another high school classmate old high school still like stuff love move bother losing confidence alike good hard come days movie display acting like society music training young people right movie capture attention plot choppy would say movie reading glowing ordered movie watched three original show disappointment movie everyone possibly could update us except spent little time unfortunately would given waste time never saw show however movie lame weak story line acting really bad punch funny either know movie crowd funded however next time raise money better script hire better film lame series favor waste one know missing something movie dumb bring finish hand customer service wonderful still love guess much going trying get camera time everyone series slow times spark series relevant loose stuff make sense cool se new girl back husband trying pick club funny hideous chick face would cool weevil mac cliff hey hell right watch need closure leave al behind finish movie guess made teenage bell one silly teen age girl could solve problem still land attorney job new york city knew long movie took long set plot lead wrong lot ho hum movie came movie background think background would genre really hard follow three watching felt way rent another one title great see gang sad see together sure feel worse watched rented well give maybe let begin thing could made worse would harry show cameo found movie first movie half way get interesting good acting either streaming would work tried numerous times ended giving watching cable get refund movie like poorly made pilot perhaps movie interesting opening sequence false hope fast paced intelligent movie quality last min big reveal waste time may grown physical age character remains stereotypical teen ager story high school reunion whole cast play year anyone much teen little intellect hold one interest written poorly sound awful poorly made rip show waste time want money back awful premise boring keep watching sorry pay super excited watch n watching movie boring worth seeing glad made available rent opening day diss like round many get decided story follow like attention getter preview nothing exciting movie movie boring predictable acting good realistic hard believe movie rated l w l w quick l w must originally one minute series r e c h e thank goodness ended could go get black coffee childish immature formulaic writing acting boring simplistic entirely predictable would good even movie waste potentially fine actress boring movie sorry ordered rated watched fell asleep watch pretty much anything think made half way getting movie leaving room wife hung great ending movie slow boring match description movie independent film move nothing like trailer action show episode definitely worth dollar watch rented film star rating never knew based series watched first thirty turn written junior high student acting shallow tried patience could longer watch poorly extremely unrealistic poorly tale substance direction humble opinion movie teens maybe young heart acting poor plot inane movie like television big screen waste time unless huge fan really show disappointed movie happy glimpse ended little lack growth since show went quickly yet keep pace show know never would closer wife watch something intriguing plot dynamic movie none dialogue predictable uninspiring plain boring half movie wife gave another heavy sigh useless movie every exchange code cool cute please dont waste money would rather house cleaning neighbor watch horrible acting horrible recommend movie anyone someone rated star nearly good series try grown much alcohol sex enough plot bunch teenage must written movie better night joke two hour show obviously shot tight budget like show maybe enjoy big show fan looking forward movie disappointing believe rave without much energy script pitiful sorry even saw yes put intended wow star rating knew great movie guess type movie whatever type kept waiting something happen silly high school dumb blonde acting something original never made end movie like super long version show bell hot even save movie bad story line really bad acting watch found movie hard follow many enough retain importance saw believe never watched series hurt ability enjoy production acting sexual crude nature style either best little say teens remarkably bad plot characterization dialogue stilted special effects fill great void awful watched hour gave stilted one dimensional plot never watched series movie stand waste time know plot trashy trashy good poor rich trashy bad another movie help retarded show old washed still try hip cool foul sex sorry route heroine movie clearly worth watching solid fan movie fan base instead plot made original show standout slowly head steam near end would love see another story based trying show former cast sex scandal really play important part could left entirely would rent another hope would better film stupid entertaining entertaining like dead actor male lead stiff wooden could standee one would difference zero chemistry probably emotionless whole romance improbable movie clearly people whole series us get show film lost us real die hard fan like never watched version movie knowing expect like lot inside information missing since almost character development forthcoming lot like made movie grew left sorry series like much like nancy drew bad movie also five star rating listed instant video scene misery author nurse tormentor read presumption main problem fact heroine alive also fact second guessing audience instead writing something could wrote something thought audience many ways decline quality reflected issue third season rob away season long arc feminist context chose instead focus shorter story one tie instead making show easy potential new disappointed also issue heroine graduating high school teenage detective angle worked better setting high school great metaphor tying hard boiled high school one really appear buffy setback barely movie go opposite direction third season making movie solely desperate love last season little fan service nice cool see mac working solve case police force fine even nice see fall old ken established comedic like party hospital bring back van yet little goes long way much becomes aggravating really need get especially still nice guy basically one dimensional villain ten later weevil end wrong side law everyone season strange moment restraint movie back teacher sex student even though movie around bishop accused rape episode season ten year reunion tribute dead almost expect take movie since lot dead high school show fan service director writer forget tell compelling story two hour episode require fully get unfortunately getting spoiled rather pedestrian mystery already obvious since really popular cult actor minor role pattern bad movie good movie could watch end min enough get refund please actually even series character present loser give navy officer uniform try turn gentleman give break guy prick high school prick college guess movie totally predictable boring definitely home made formula movie know got star rating like b movie slow acting almost terrible wish could get money back know gave bad acting poor scenario really cheesy story sure story trying communicate f movie waste money high little gem based current seen previous thing got say see real yawner disappointment come think tablet well took watch hour movie kept going restart time trashy language poor acting turned lost money hate rent movie hard time even giving rating bad waste time really like movie really truly deeply like spunky golly meet standard still really see point plot whole reason movie movie know movie guess collection carafe lemon wound way tackled flick thing friend mine sat final harry potter movie read many times went cold went cause knew never late jump pop culture sky like riding blazing chariot cinema though tried give breezy detailed synopsis possible got first act chamber went faced hard see bell reprise role lifetime part way really trying hold onto whatever semblance logic plot plucky bell whatever mystery adventure busy trying get kernel popcorn back two teeth maybe movie better star giving popcorn kernel really quite time terrible waste time money season one season two inferior whereas background music season one fun interesting quirky background music season two dull bland generic animation season one simple got job done season two look quite sterile three disc set third disc loose case plastic piece hold broken loose broken piece case season weird thank goodness cheap like season somewhat original season older still timeless three main dislike series feature horrible cliche early style rock really bad pointless remember super ruined wonder well go individual poorly written watered season want like season pretty bad hanna able several yogi guess original season written season built morning time child late early perhaps season much better fit production quality would give big fat fail episode gamble grainy dull bright fuzzy first year media production grad able clean better feel bad perhaps severely funded bad cartoon see big lots star get like buy otherwise spending guess supposed funny completely crazy men wasted life best hugely amateurish video equivalent high writing essay able come essay upside actually long description watched lot instructional one really teach thing watched took young petite anything petite prefer came immature show great recommend one episode first whole season spend like either care people little bit sex less handful know staged another show stupid white people young look stupid seeing show would know high rating number educated people obviously none people show giving show single star low go horrible unless love bad hit badly get drunk make looking real life regarding heir good bit general feel wasted absolute worst movie ever seen even worth time write except warning reason gave one star leave blank demand money back would never allow offensive disaster next zero respect instant video pawn public deliberately release date turns sometime much junk movie many boring old almost impossible plow right charge lot stuff care one going loss good money pay garbage like somewhat educational cheaply made really didnt hold attention huge fan old thought would interesting didnt impress hopefully different rented instant option extremely disappointed clearly live event would except cannot see hardly camera far away commentary interesting without able see person talking loss video trailer gave little hard assess whether would interest turned ended skimming rather way immediately removed video library proved value looking different video name writer director production company team unique fictional documentary dearly departed people looking find eventually purchase funds interested telharmonium worked like like waste time money video slide show inventor attempt raise money sell electric music new york nothing series old black white newspaper pan zoom across screen cheesy outlandish effects sound track questionable origin certainly telharmonium someone interested technical extremely disappointed premiere last night went watch morning audio video sync totally unwatchable comment actual content video necessarily reflect video quality worst movie ever seen camera work must done someone never used one plot line place least mindless vocabulary though shot black white reason frequent quasi spooky snake oil salesman type preacher trying sell people lucid answer drunk lying gutter wise connection movie thing worse acting like almost completely start thought direction script one written individual actually informed experienced lucid used world famous build leap imagination fantasy real time titillating fictional element writer going would something would hold imagination without go instead making place risk thats lesson learned rent without leave home wow tried watch movie tonight well major fail thrown together piss poorly done worst movie ever seen please never make movie well guess never release way like matrix star lord movie seriously probably one worst survivor ever understand anybody two people season especially came everybody star struck notice get one vote entire game basically like cook celebrity show everyone everybody always whatever felt bad last show remember came final three yeah give break seriously season bad hater think contestant show unless episode cannot watch good luck purchase minute wait time customer service chat support right fighting betrayal amuck ego woman wickedness degree get see miss new york decent personality yes said remind make nearly every guy show think sleazy hell mean wow really care everyone cause end season feeling leaving wish punk entertainer sure may ended yet get chance see thinking entertainer take win hopefully punk though around nice guy attractive nice die overall somewhat worth watching guess highlight show miss new york back viewer discretion advised interested pick one shopping instead mommy hideous yet look away hag lots kissing making thing honest love watching people make new york drama galore miss new york spoiled arse baby everyone right cover art c story c b original thought f execution comic relief b b overall received would work three either would completely play strange cast yet stop watching like proverbial auto accident young woman hideous face paint new york pick suitor hysterical mother advice men entertainer tailor made crybaby manipulative guy new york head whether guy control boss around guy throughout every episode actual romantic connection ever made except lot necking new york constant need reassurance love new york actually native new yorker like freak show could stop watching boring old bother unless want fall asleep good story line real action directed almost forgotten early adaptation play wherein group cause disgusting horror new york city catholic school mason play odds beau idealistic gym teacher caught path paramount release available first time intriguing premise exorcist genre film close total misfire story line absolutely dreadful score small need punctuate every moment obnoxious foreboding horror music mason fine league one imagine broadway play worked much better original context olive deserve credit little seen picture obscurity though ray transfer stood test time well p image freed issue whole lot detail print included child play film child play demonic doll stop talking chucky movie terrible felt movie going somewhere dramatic whole time kept watching find end went nowhere big dud watch something else keep suspense would call horror movie really looking forward clean horror movie hard time finding one one clean keep interested type movie might fine someone else think well made saw impeccable behind entry horror category behind entry never also hoped psychological poster movie saw directed great unfortunately major disappointment top ham acting proved novel slow moving mason crybaby teacher catholic school persecution complex dying mother favored teacher predictable hidden agenda beau new gym teacher former student headmaster pretty much cartoon drunken gay priest play like many film personal grip audience hate sure like guess blame realize episode long done vehicle back story owner car complete waste nothing bunch college running around obvious waste money time average convention go boring example vast knowledge answer yes another example favorite anime besides tedious content video audio amateurish well disappointing waste money long documentary trust dont waste time money disappointed minute video nothing bad content loop video one woman sing along style sign language video dubious best real sign language pointless episode blues feel even pay money pocket free unbox credit promotion stay away video highly recommend time yet available unbox hope soon going send time get content warning rate one star post review option zero negative available another movie left wanting refund reset button mean want heavy handed independent movie movie meaning hard core movie fest man cave tammy fae singing background bathroom barney movie dream vacation waiting see old land movie load wife film thinking somewhat intriguing however regret wife wasting time character development whatsoever almost plot long add nothing film horrible constantly music usually fit way happening screen top faith aspect film unrealistic several times thought turn end really like squad deliver think enjoy film part cast crew among otherwise recommend film lame concatenation still dissatisfied piddling amount would ask refund wish read st review rented agree video fast briefly gave part way want see uncaptioned old low resolution snaps zoom fade transition mention zero commentary lousy elevator smooth jazz prepare deathly dull hour stay clear entire series one worth nickle even free idea anyone video could funny one able hear understand saying like home built mike sound downright horrible describe bad turned watch watch free several video overall quality amount content included level skill applaud attempt showing art basic skill level development video horrible realize expect much come like one classes without thinking structure audience opinion vaguely titled instructional video less information found browsing long instructor saying oh mean e minor lick like eternity standard play slow tab type thing play slow spend eternity faster faster speed keep get type instruction sound quality pretty poor tell guitar set shoddy recording doubt enough budget work stated previously none personal nit pick usually country hot rod overall would definitely avoid paying video start video brent hot video buy instead starting country guitar six poorly done cute enough concentration work flashy flashly sake wasted time deep heart dark past cooper ally dark past husband get lost trip visit family terror child following help child go terribly wrong director creator comes tale sure keep way bonus go behind discover movie made much say yeah sure done well supposed contain dont bother movie completely unwatchable voice video synch far several unbox sound synch almost impossible watch maybe corrupted would try find option video really people starting link turns bother information basic production value low pace almost painfully slow instructor progression demonstrate snow boarding action figure simple line screen writing difficult read approach poor choice least poorly executed way demonstrate looking get foundation improve comfort hill might worth look could give zero would assuming one amateurish poorly formed conspiracy theory watch free various amateurish poorly conspiracy theory web saw blurb one secret media want know reason film might low budget therefore easily confused stuck original impression low budget handle even like good conspiracy theory piece garbage however absolutely hit back button continue search video interesting piece visual art short detailed information discussion made convey overall impression life regard leaves wanting much detailed information much science information either impressionist video also discussion example leaves one wondering side story one documentary fact thinly veiled conspiracy theorist wet dream actual information rest movie filled type sad mind control film archaic cinematography overlaid top suppose hope would give feel early mid actually perhaps attempt flesh pitifully thin text film actual dialogue instead merely viewer sense movie trying draw back mass gullibility order sell theory disgusted wasted hour time piece garbage worth much anything unless bottle tequila anything would interesting really space cadet dribble bunch disconnected made want stop watching halfway movie embarrassment shame even offering movie collection scrolled across bottom screen two year old could surmise character would offer credit anyone like foolish enough fallen dung get wrong lying lying lying whole premise person becoming better watch rest free support though main idea show clever enough good earl hickey make past concept karma concept never fully weak far tasteless witty one cool tastelessness long modicum wit perceptible say south park cartman positive likable really one right mind would watch show little offer hand find hard leave room watch mainly show seem fun even know slumming ultimately show strength bought product love show said received low rating error common error bought season thinking show agency great show way get refund show useless careful read carefully impulse buy overly satisfied good version used video older current version much better recommend although prefer care video like high school production please save better death guide movie bad minute knew worth acting absolutely horrible like made believe trying copy short story paw great episode even worth min bad acting even tolerable watch min waste money usually pretty tolerable b rated even enjoy corny worse worse b rated ever seen horror queen say movie boring movie description interesting movie skip waste time bunch young upstart fine effort sure learned much make scale look fake properly use sound effects write dialogue effective generally keep attention intelligent audience hand high school film project director firmly trout wrapped newspaper sucker fi give lot room second rate still however second time horrible movie must cover art pathetically bad never saw first would love refund thanks removing find post apocalyptic interesting like would different twist movie several times finally came conclusion low volume equipment never got better flashing movie gave headache sorry say ending worth effort put hearing interesting really poor production acting could made real let sleep grade b junk going write eleven smile actually made buy actually buy somehow got instead little right havent seen plot potential never quite much could done setting c stop acting tough done got go home retire movie making bye bye good luck sort old bogart film good entertaining hardly worth time acting plot bad watched five turning might cancel one night view move another long line gay interest add list one character mused despite poor duty view support gay cinema example luckily similar production another would add shelf holding u turn truth talented men work spawn numerous see fan forum cannot fathom people making money making illegal anything getting first serving time incredible commit enter country better life illegal scourge every respect part illegal people understand watch society still waiting fencing built drone law already yet little work done earth going take murder u senator u representative get congress finally begin truly working protection already innocent regular every day consider anything incredibly stupid made empty law begin sit calmy inaction though find difficult wish harm anyone almost wish secure actually become first hand large proportion illegal perpetrate every day would seem way actually get people secure illegal worth way maintain sovereignty nation shovel ready way get border secure law part already action going take place people subject matter nothing entertaining anything people scourge make movie people please show truth damage country get movie chair contact demand flow stopped immediately fell asleep twice kept forward button would pick never would recommend worst vampire movie ever seen worst script topic ever seen could even good make believe movie actually made little know loaded flick master vamp none doom movie also ran bin entertaining movie horror player worth watching ultimate movie whether watch one hot black leather scene great setup vampire flick bad one flat blame revel kicking unruly male sex biting place sometimes sarcastically ask bite lie plot seem made fly big twist comes near end find saying huh bother still make sense could fun ruined small part stupid male hayseed buddy impress talking like thug finally whose attitude behavior make sense whatsoever suspense fun skip one watch entire movie hokey part movie saw rating boring lot going mobile like watching someone home movie narration little bit national music even free membership could recommend wasted voice great seen elsewhere understand lot speaker saying bad like mumbling high slick sounding basically voice buy another source information plenty please rent first considering one worst great topic course good job making production pretty bad angle horrible could barely see left hand side instead top instructional show would give little song notation kind pretty bland opinion concept trying teach solid yet instructional understand saying modern approach additional material listening talk ready fall face forward deep sleep year old son gymnastics excited watch relevant movie subject matter feature home movie quality shaky camera weird poor translation intended show achievement underprivileged gymnastics however homage director brother coach say movie kind matter except looking gymnastics movie one barely got mere son extremely disappointed purchase work mac os x user upon purchase excellent series waste money would pay cost play system season silk maybe differently whatever season season episode bought would play fact froze computer every time tried waste money yes enough memory appropriate operating system service pack tried unbox player avail considering unbox option shell buy except course option besides since anchor bay finish silk series properly release series sad issue upside said least season work let hope sake option continue work freeze cannot play one final note get prevent piracy surely customer file option burn play standard player private use use unbox available case buy save money may may able view watched movie turning plot believe sound one even though done many times director chance capture audience beginning show name show drudge got point beginning could memory shot acting good especially lead however script plot full counselor would young man go back extremely family talk family bunch yo would made sure went aftercare solid least half way house program c regulated release long term court ordered program way wiggle stipulation would written sentence fault story line inaccurate full serious would never stand scrutiny anyone fully cognizant real life making script weak poorly something like suspense thriller movie almost halfway movie still theres none stopped watching drama think maybe suspense end know tough watch never got funny thrilling acting stiff shaky good cast odd story approximately one year later watch sold auction million lucky guy let go first person took look video address additionally little electrical timer inlet valve pressure switch schematic instruction poor function explanation mechanical electrical want change water extraction drive system part useful live lie start one thing live lie life someone else quite another premise unbelievable whole story line private operate love minnie driver would given show dumb even finish watching first episode really unbelievable pretty much tuned scene one high school reunion thought maybe guy look familiar lame private racist alcoholic deviant hypocritical scum love big bed leave corrupt oh yes entire middle upper class population drug addicted sex starved top time loyal honorable people around whoops whatever amongst make living explicitly con find obviously mistakenly applied white collar class rule think sick view common among favored entertainment industry valuable recognize really way see country show well done interesting acting generally excellent doubt reader living outside general community plagued every form sickness moral ethical emotional riches could fascinating series interesting someways sympathetic culture theft would make great show viewer feel revulsion culture truly based aim garbage much going intelligence make show comedy drama thing show everyone excellent story line fine writing good set love always show short least little bit close could know disappointment got gold cast lead bummer man would really like people believe tried ex con dad super teenage son adolescent daughter willing child working way gender identity gypsy family fellow power struggle ripping kind process good fortune inadvertently involved traffic accident make dead couple id beat posh new suburb move deceased couple new home hilarity turn pristine house slum nice neighbor lady prescription dad job zero get quirky mischief course upper class without dark side funny despite talented cast political climate ever show nonsense people stupid main much better really almost painful watch show credit audience made first long long episode insipid best high listed prime least cost money would anyone write kind people part watched could take whole movie redemption whatsoever found people yet compute plain simple season left viewer middle story line story also increasingly unrealistic perhaps season finished would back together love minnie driver izzard disappointed series wooden awkward un funny uncomfortable disappointment tried three times watch series cannot get past first episode main remember supposed able relate lie cheat steal assault bilk pilfer pickpocket participate vehicular homicide escape life super rich caught tried thrown prison end series love izzard comedian actor series simply ethical make send message world unless make clear supporting suggesting evil way life part even worse criminal element forgive never face give right present upside morality play kill someone take life impersonate go business nothing evil fault prop soapbox quietly walk away figure want watch bad people get away bad one time free never chance watch st weird power failure completely computer unbox player none marked come back rest simply unbox though buy tried either buy episode discovered listed sale anyone answer question several also unavailable cannot even seem delete useless episode give star give something rating deserved lots stuff every season south park cardboard case art season list two went missing left party returned decided purchase new felt awkward ordered season season nine specifically cardboard case another sale option cheap plastic rather excited honest see retail going towards plastic case well order came owner cheap plastic case set pictured make sure ordered right thing came back gave option write review checked definitively order correct option season photo actually showing art cardboard case season outside one sum receive actually pictured mine trying correct situation interested suffice south park collector would consider south park never amaze come get wrong find lot funny else find talking character every episode seem run town live much particular episode however favorite mine fact really care first season release without funny first season least give option buy material big dice fan know trying make comeback dice old disappointed sorry dice still love ya especially old stuff actually zero one ever seen used free rental credit still much movie undoubtedly shot group people booze drug weekend acting acting completely unbelievable plot much one cannot get lost movie movie lost aside sound uneven must remote ready watching times low sound near next effect assume sound attempt scare thing scary movie screenwriter complete lack understanding respect poe raven complete allan poe quite possibly one worst ever made atrocious acting pathetic script quite possibly one worst film avoid cost movie horrible negative star rating rented compare edger poe raven far cheesy side work comparison bad start whole movie horrible never know going get buy comedy hope least hilarious still found one one main need like comedian small way beyond without larry genius observation say puerile petty nothing funny cheap still waste money turned free air change channel find island really think funny seen clips stand done find show funny worst written show reason people confuse funny worst show next anything lifetime funny anything amusing could watch first scene really like show comic writing dreadful glad free comedy central really flavor month comic right really worth yes funny times sometimes hilariously times feeling media yet another performer one really cute men especially flock saying dig intelligence wit corner men admit want sleep watch many men cho even though neither really hot drink smoke least hot especially male rejoice show much like comedy works hilarious full blown tedium boring episode best one consistently funny really good satire character unhealthy obsession tab one episode hilarious seeing tab shirt never really go anywhere eventually welcome character series rather annoying gay couple guy never really anything show whole supporting real life sister laura look thing like hit brilliant awful mean really awful watch show crush go worth crush easy show good absolute zero funny silly stupid really waste time watch show waste time season two could fun hateful inside good yuck cute naughty j funny wrong painful watch hard cute funny much like straining bowel movement please give nice girl laxative dog way better every scene talented watching act self absorbed irony act show nude might watch least anyway really like think cute hell said make pilot episode bizarre going comedy giving two sound funny lots ways trying gross possible actually opposite us death times great lack consistency writing difficult watch episode entirety get past first turned really awful humble opinion bad show nowhere go unfortunately sticking around long enough know people think funny per se gay hilarious mention sundry body bathroom laughter could go list prefer admit hard funny apparently certain audience trying obvious example touch similar delivery unplanned however easier look give disappointed reading several glowing hope one respond anti jaded un hip get got like hot part show boring humor shape way spend money something else something maybe little intelligent mean smart right show get going silly wow flew right past silly childish ignorant disappointed say least cute previous excited see get show comedy central last time tried watch show vowed change channel first mention rectum scrotum penis take long never tuned apparently nothing else potty humor may twelve old prude intelligence pubic nonsense sphincter play offer way comedy really love vulgarity program may perfect slightly less profane want let give shot sorry say forte series great delivery system plain stupid watched live mine want added useless even prefer free version hook friend burn em cent let em watch want let share next week tune watch make sense husband lot dislike one even stand cleaning kitchen watching completely un poorly get lame story little slow constant cliff hanger back real world thought soap opera stupid script bad acting glaring tech lot lot boring stupidity tried get show twice side hit head none holocaust ought situation well dressed well well neighborhood bar well though proprietress payment anybody guess would worth little inflation immediate due lack goods liquor hard come yet effectively giving away townspeople spend time worrying loving survival grit urgency risk town living brownout rather end times nothing found less episode deadly slow well think sort story appeal enjoy left behind type tribulation love genre could get series girl leaves town gas tank bar full people warning radioactive mushroom cloud coming two road within run head stuff understand know must spoiled watching dexter breaking bad walking dead suffering nine season one admit must one series ever quite simply network television dead rip think great unfortunately story really great accurate want believe yet often people extremely calm small town actually unrealistic future would like involved whatnot setting future would last thing would thinking trying survive important enough confusion uncertainty going small town anything else emotional real life would never happen nice main pretty hard keeping everything understanding going difficult enough task still bad show best kind show suspenseful story becomes ridiculous dude comes back military school wherever hell suddenly everything city crisis like think random guy take charge fix everything mean could understand really like everything going hard believe dude practically walk water u got black dude basement time machine something idea show respectful think little much reading chill man ur trying much dull predictable know mind entertainment make entertaining good episode got worse worse revealed wonder got one watch long remain revealed deal get aftermath mean spoiler kill unborn baby cheating husband mourn eventually get bar owner home wrecker come gave halfway season show plenty time make like make cheating husband sympathetic nope small town turmoil nothing new lack luster performance cast pull suppose lot great bought series watch job give bought fully said due geo play show wait go back us watch hate way want make money cheesy entertaining thinking probably way people would actually react situation like yet another show written big city total city centered view everything let start premise disaster bad drawn left guessing nature path small town nothing version new york la exception one two everything exist town character either town outsider plainly obvious never spent time real world outside big city rural work like small blur town rarely really limit often sort blend nearby really encompass surrounding rural local never local complete castle initial premise series well thought mechanics way touch reality life rural lost interest middle first season readily see quickly big city would interest whatsoever real rural going take one look turn could done much better filthy language make movie show speech stupidity people think premise fresh interesting finished watching pilot find story line weighed poorly lot small town entirely aw shucks salt earth kind people never meet real world even maybe visit fly country get better sense writing like main character person like mother ex brother furious father nobody seem clear line supposed far first season know anyone either owner general store stone auditor stone much good time try figure show trying get across opinion dart board office threw darts see stayed willing watch floundering program bob weave first season true come second series like cast rove blackwater want see live action version detailed mother nation times series idea garbage real kept long maybe fifth sixth version aftermath experience book movie couple series dome sort realism blow stuff originality zero really like series good foot pilot watchable pilot midway season one plot major character dying flu doctor order another town course infection something work another episode person trying use clearly slider type card reader yet next line actor mouth took card could easily shown almost like trying see bad could make worst show ever get second season writing awful badly one dimensional predictable alf believable understand five star strongly urge anyone thinking giving shot cannot believe every reviewer ridiculous series bought basis sadly mistaken skeet may nice look farce pathetic badly regret every minute life wasted watching drawn unrealistic sustain slow death spiral waste time good potential wow story slowly decided dump couple fail show recently watched sort something similarly gritty watching show like looking j crew pretty flat none blast mushroom cloud parading around like least bit worried fall rioting took unrealistic amount time get completely sold show could stream whole season able find show realistically might never know made four summary prime example wrong produced major apparently proliferation reality sent good town predictable stick struggle survival could pretty interesting given back seat boring seen many times behavior myriad regarding actually would many nuclear set u give dangerous impression radioactive minor inconvenience short rainstorm life would go pretty much albeit electric ever hear jet stream three mile island please waste time show never poor showing season acting poor writing even another end world story line go watch something else show would great screwed way watch since service thoroughly insult found show insulting intelligence anyone brain feel one put excellently said corny movie series left behind based book series name left behind several left earth rapture hundred thousand taken heaven prior year tribulation earth course false belief many evangelical among based profusely misunderstood choose subscribe pop culture inspired works watched entirety mood message readily discernible light skimming also make comparison apart believe pull mood message show subscribe pop culture inspired left behind series happy go lucky atmosphere cliche small town city almost unmistakably difficult describe many get right start dialogue clothing weird fake slant real world simply like cannot stand major involved show scope attempt promote based reality community close knit sense touchy like show sell idea nation small town full goody two wear cardigan attend single church together fake exaggerated done completely attempt immerse world show vein premise supposed one unimaginable horror possibility nuclear attack foreign small city cut rest world power news new local grocery store yet people town almost completely return everyday life everyday one day go kind ridiculous writing worst possible epic story concept let give example ludicrous townspeople taken shelter various mines wait rainstorm blowing town prior going underground simple thrown around rain heavy radiation everyone caught rain die slow horrible death expert nuclear pretty far fetched immediately following storm leave resume normal activity ground course everywhere presumably radiated water mention water every surface outside oh yeah air course mention made possibility everyone breathing radiated idea may need completely left vacant completely absent weak story writing could live obviously would show otherwise could live probably poorly written absurd depiction post apocalyptic behavior ever put screen two spoiled rich girl introverted boy remember end taking shelter mansion rich brat course supposed since first rich brat introvert seemingly interest existence nevertheless end together house rich brat waiting return stubborn go town bunker introvert bag seal house stay safe way short glossed scene rich brat goes prissy snob benevolent friend introvert stay cry together fact likely list since large hit kicker following morning storm introvert rich brat sitting living room suddenly without depiction made phone entourage rich brat comes parading front door clean dressed party one even sleek purse slung casually shoulder look rich brat puzzled rich brat saying cheese like like one snotty oh think exactly like rest crew mutter confused like scene introvert face looking dejected sad snobby shuffle past life cannot imagine along everyone else name approval could possibly felt scene made sense whatsoever given premise show simply atrocious acting bad writing worse potential story place sappy romance drama like said outset insulting intelligent people especially used higher quality television could interesting series turgid script banal soap love someone else wrote show like written big city feel rural town show agree show whole completely fraught even music offensive poorly chosen concept interesting contrary people writing mostly uninspiring interact somewhat style currently half non five star joke unfortunately goes five star show blind non buy rate show truly unremarkable strictly fascinating concept wretched ability sustain interest stringing viewer along round downward fair waste money tack seven release complete series anybody really think third season let know vote bit simple prefer make think pretty predictable acting good acting story line little simplistic could done story even real ending realize need us respect admire work need us interested enough keep watching exposed fine show almost come formulaic predictable wrong material could still get audience hooked nuclear apocalypse premise thought perhaps find groove several season hopeless also realize suspension disbelief part audience work show wrecking getting even basic wrong post nuclear works small work work behave real people work post apocalyptic grocery corn missile flu every single little thing show wrong stupid way really wondering show real following seen pretty rave like show post nuclear great premise third episode clear show going nowhere unrealistic poorly written poorly melodramatic dud may good liking show soon lost interest found much rather maudlin series well written slow moving unrealistic story watched decided worth time lots better watch nice concept going go really go enough disaster show everyone vanilla yet oddly prepared doomsday scenario really finding food delivery transport knick time nearby overrun area supposed believe bomb selectively bad pretty predictable standard plot budding love people conflict pressure sinister activity nothing else watch may check put another episode watched prob see considered wasteland show stupid formula produce show like immature male leading come guy like sad looking pix looking going one would think would like novel movie road love rest good thing free prime much research subject story fair best hard add slam premise promising nuclear attack us one little town cut rest country town experienced direct hit fifty stupid might amusing watch cast e f list almost comically stilted performance story improbable impossible laughable end series praying hit direct nuclear strike put misery series well imitate falling skies lack magic beginning drew got boring fast getting slow read found missing much movie level corruption greed rule religious establishment corruption concern welfare common people excited see show watching first episode got first season library moon excited watch watching first episode see much sex nudity year old girl love shirtless love naked could good show much sex wrong much nudity surely give show totally ruined never finished watching first episode fortunate enough travel past summer mary rose museum anyone remember mention series mary rose henry favorite ship museum fascinating ship even ship also provided interesting henry life high aside outing believe basic knowledge monarch life family example repeat little ditty remember henry digress sister series lent set first thing said henry look anything like tried get past gaze cover thinking cast easy understand obviously much money spent cast intent take real history pool insulting creative license e g hair coloring could tolerable series nothing short mess extravagant production left disgusted guess sister something else disagree obviously substandard story poor script lousy acting seen anything bad lived long time large number disappointed place characterization fleshed hoped first scene henry uncle ambassador group pretty much need know series less historical knight tale without eighth wit watch past first min first episode thought female nudity bit much able stomach might entertaining someone really history watch sex relationship henry plenty interesting could goes totally different direction numerous based actual history something par cate sadly disappointed lack acting plot superficial hard time interest obviously accomplished actor think poor choice play henry would someone like law clive also find character ann dormer exceptionally attractive hard buy henry infatuation biggest problem series total lack henry loathsome found natural disaster wipe henry creepy people royal court average believe sex nudity per episode suitable offensive found little raw gruesome murder right bat nudity next five something really care watch us reduced grade b surly king henry seduce every woman came contact happy soft core pretty clothes totally engaging would draw beautiful enough character development sex although excellent cinematography enough overcome lack fluidity story telling real history much clearly made good nice looking people real story line follow first season henry attempt divorce first wife member royal family remarry younger woman give male heir thus time period history roughly later looking beautifully well piece drama set th century little basis fact show bill guess spoiled six henry first back network television back production much lower six segment show extravaganza got right besides even existence king henry family fact king henry case sporting body haircut leading man st century detective show first season best guess later since henry married time henry early overweight finished six season eight year run series leading man tony soprano good looking conventional sense gluttonous towards food overweight ruthless personal professional far king henry result show critical popular acclaim give audience little credit dare show henry really post titanic knock first series really looking forward seeing always interest history particular fascination also understood documentary historical record however series based factual far historical truth one becomes merely laughable maddening pointed regarding henry two mary married king one sister inexplicably say inexplicably story closely mary life glaring mary marry entirely different king real one top kill get decided henry break interesting enough threw lots lots sex also plain screwy happening concurrently reality apart ongoing series like one could taken time show correct order applaud casting sam cardinal sir excellent however badly miscast henry henry tall imposing figure physical stature carry role also bit young henry stage life believe find physically impressive actor play henry plus side beautifully certainly visually appealing see find enjoyable hope learning much history wish would given fictional name series rather tying history real people dealing complex paper thin wearing great clothes wearing writing stilted plot line thin real history much interesting think going cheap thrill lazy film love delve well written long interest monarchy court watching show would provide entertaining look history much like series less inevitable given times direction take plot featured interesting well detailed graphic sex really last two first episode like someone looking make sure sex scene every twenty casting main screwed well henry man historically known red hair great height strong physique none lithe dark haired average height also young role roughly age despite henry senior historically henry comes like spoiled horny jock man varied intellectual physical almost screen time series sleeping around hunting party hardy mode yelling like toddler want go bed think moment could renaissance man wrote theological composed music wrote poetry sure whether blame portrayal henry sure many could two performance one dormer noted olive skin dark dormer gorgeous neither maria blonde pink skinned naturally counterpart dark hair pale skin obvious casting could esoteric contact hair dye money spent props would take clothes surely could little ensure like people supposed worse however numerous minor anyone intimately familiar history probably never remember guy took lance face guy slept guy guy girly voice slept guy guy took lance face imagine watching show lack distinguishing instead simply reading seemingly exist facilitate sex everywhere die disappear make difference however must give credit due sam give excellent cardinal decent man forced times disturbing sam nice transition arrogance desperation formerly dominant position court namely despite fact fall cardinal really provide many nudity fairly well pay attention detail minor show would much better one however probably would left less room pointless sex everyone series like got back super would go make authentic give everyone st century hair watch everyone hair ridiculously anachronistic lack people opinion season make want watch accurate times acting great watch within first nudity turned watch good clean great commentary made history scenery instead extremely short final disc along advertising series finally information disc incorrect featured could play could play vista machine happen compliant monitor would play machine extremely poor set series let frank time period crazy henry refuse use finally show favorite time also done great disservice degas nightmare historical telling real way henry slept everyone everyone knew one sister king really back take true educate would wonderful queen everyone clothing early really hate wearing nothing elbow sticking lovely slashed sleeve sam amazing lot entertainment wise better lot stuff wish went bit great soap opera skewed vision history side order soft lots sex let little even think watching completely disappointing believe actor match point woody like many people like series serious student history particular interest saw program ago first impression supposed henry right lost offense woefully miscast henry physically stated henry tall fair also five younger also auburn fair program around think biggest problem apart henry allow physical wrong history big time whole concept sort union whatever supposed treaty working st century politics th century kept saying whole mary sister henry person separate sister married king stupid unnecessary digression suppose screwed throne time old man marry moving whole plot sense also think holy emperor ever henry far busy ruling awhile gratuitous sex got annoying people really outside listening king sex henry address henry sex princess wherever supposed henry pretty loyal read believe place unless intended marry jane bottom line yes series could like story history rubbish series people want history sexy dish nothing else henry portrayal crucial get thin short specimen henry loud exclamatory lot sexual interplay series history henry also one completely inaccurate way life run top head e religion history geography politics get much days series titled renaissance aptly applied modern world well series historical dramatic series romp bed anything else looking first episode close pornography care explicit sexual content watching half way first episode also story line difficult follow disappointed say least big fan white queen saw series prime thought like unfortunately although good little bit could watch engaging way unless course like gratuitous nudity sex within first whole thing dark negative hard understand follow think stayed ordered set huge fan show subscribe everything great got final disc disc th episode well never could get th episode tried give still could open th episode disc set turned nothing returned disc set full refund way still received even numerous given still shown said put want watch advice sign otherwise rip watched first historian mother sex scene graphic ruined possibility educational resource totally unnecessary historicity story henry character lack thereof could expressed without borderline pornography wonderful attention detail write history curriculum love study period unfortunately crude viewer watched one episode much nudity sex story line good enjoy rest watched first turned much everything skin teeth male female close would appreciate rating us judge want course sex education buy program fan historical drama get disappointed honest series ultimate case content people gorgeous perfect lighting camera work exceptional character simple enjoy occasional early th century nubile nude youth much anyone one time based complex pursuit perfect tryst maybe expect much familiar may infuse expectation complexity hoped costume series however making henry sexed frat boy occasionally intellectual awareness sexual obsession complex character beyond adult belief envy young ability look good tights even ride poor sam woolsey try might given nothing play power mad prelate occasional hyperactive massage mistress sam rear end park series guess driving someone shown care writing series might truly exceptional production may get better able invest three life never get back first three hope improvement may suffice risk waiting something substantive happen never movie waiting refund send another movie already send back wonder produced pile useless inaccurate drivel ever bother read history book one like accuracy six series still golden standard every related film like young thousand days inaccurate though hit new low one henry like skinny pretty like red haired majestic sophisticated king henry history yes henry always fat man till handsome man strong muscle intelligent always broad built little nothing see towered everyone around nothing seen get soap opera reject around inaccurate another thing striking dark cutting wit elegance education could go useless fantasy people actually earth long ago director saying henry actually history expect something tasteful disgusting inaccurate sleazy badly cast directed one word useless reign king henry glamorous historical period drama intrigue sensuality cultural import therefore right high drama set fascinating era instead unpleasant sleazy hack job venal violent megalomaniac stupid enough get involved seen first disc given good reason want see rest problem show lack historical accuracy forgive work willing sacrifice historical accuracy sake drama particularly series forgive show less interesting real life yes real henry interesting love life violent streak also pious scholarly independent minded bluster king show incapable independent judgment always paradoxically prudish complex individual replete short real henry much interesting one dimensional tantrum prone sex fiend henry series sort person well individual could like throwing furniture wife like gum scraped shoe common emotional sinister glee rage much problem made witty charming interesting real henry probably least one henry creepy cruel precious little interesting memorable bad boy horrible man show spend many tedious sam series also visually serviceable yet stripped bear mediocre melodrama given undeserved respectability connection history royalty may much ask show good drama edifying history quite reasonable expect least one succeed neither given richness subject matter inexcusable want kind historical drama deliver series much better sex violence also witty ample supply sympathetic made greater effort achieve historical authenticity better yet read popular history period weir enlightened waste time lemon show sex explicit family friendly series strongly suggest guidance maybe biggest historical accuracy horrible actor henry neither fat middle aged cool competent two speed henry one sound would hard tell infected leg make entire series stupid wound watching henry th instead series first thought telling story exhausted play movie going original twist something style another exhausted story also cleverly point view two times mark however boring badly produced series lavish clever quite short silly useless historical bother also cleverly always think could perfectly true also production badly done look like cheap masked ball acting pretty bad well wonder king v speak terrible almost among real speaking please overall terrible waste money time watch version bought episode copy episode since episode fairly critical downer could top flight series superb cast outstanding excellent acting big drawback graphic sex series definitely family entertainment bad could wonderful informational show entire family one uncomfortable thought would love alas hyper shallow capture interest sorry hard one worth watching movie used historic setting portray pure turned value smut final episode detailed synopsis within disk cover included received disappointed done fine job pointing multitude nothing spiced junk real story henry far compelling interesting entourage king even though nearly old production six henry still fantastic infinitely interesting accurate movie tastefully explicit meaningless sex disgusting violence sickening language know part story true however much could left imagination bought whole series based glowing never seen show since sexy interesting account life old royal acting horrible story bedroom often really boring somewhat interesting thing involved politics unless real interest king henry th hard follow history love must see younger love see people lived one give zero star review nothing nothing nothing even one star ah perhaps sir shred dignity speaking history unrecognizable mess bodice shredding watching travesty one would accident progress morbid fascination good sense often specialization period history thirty five every primary secondary source existence yet see entirely accurate fictional representation accept serenity theatrical license perfectly acceptable pure fantasy find even one per cent accuracy thousand days henry mary queen man brilliant capture spirit era notwithstanding certain sixteenth century rock star brat pack replete furniture gangster behaviour historical far compelling time earth shattering settled titillation romance novel cardboard complex contradictory fascinating known world lazy sloppy writing despair know minority opinion series soporific effect dialogue intriguing evocative period spoke dialogue suggestive era sophisticated scintillating treat intellect historical sharp script superb delivery dialogue modern henry businessman casually easily obtain divorce modern almost challenge please force think make savour transport era love many thrashing naked sexual cannot name gratuitous fanciful hopelessly miscast henry unpleasant sullen brooding brat lad given meaningless sex young without whisper charm flat one note performance dignity real henry fascinating complex man sunny one minute stormy next unpredictable hence far dangerous cultured musically gifted man intellectual intelligent emotionally expressive force natural charisma large boned six tall thinning red blonde hair rather prudish discreet flirtatious chivalrous romantic two known taken late first marriage actually furiously tell one presence claim throne tenuous henry behaviour invariably dignified commanding perhaps disappointment series deliberately without depth intelligence unfortunately formula fit sixteenth century dormer physical resemblance dark high long neck narrow strong course also fire temper culture elegance artistic keen intelligence dormer round faced vacuous maria old next dark haired costume anachronistic baroque sometimes germanic many much later era hood hood found many completely inaccurate chateau vert scene costume wear almost nothing everyone beautiful modern sense perfect skin perfect hair perfect perfect perfect model thin perfect teeth historical rough around physical lest forget historical bordering bizarre mary amalgamation married king universe drunk screaming banshee vulgar common fishwife henry uncle tallis court gay absurdly raucous undignified execution suicide henry dead child would particularly might actually construe reasonably true delineate historical list far long venue change would recognize single historical personage majesty term use henry would grace also noted radiator bedchamber asphalt driveway modern tape measure nineteenth century carriage curious brief court palace painstakingly accurate early sixteenth century signature perhaps also single star forced give seen series missing reason made entire first season scene remember episode sitting outside absolutely picture quality felt like could plucked leaf completely experience say rest pointed written well understand dramatic license understand skew bit said understand good real life story threw bunch gratuitous convincing sex felt embarrassed especially beautiful totally wrong time period scenery excellent stand really like sam given enough glaring departure true story one added nothing series another reviewer already pointed went wrong leave alone really sick old husband consumption given reason care poor old maybe trying go thing reprehensible still care pull one character even maybe sympathetic person whole tale came across whiny desperate overall gave series strictly film quality really stunning rest give zero could produced something intelligent sexy took cheap dirty way good thing selection first complete season let tell write complete season six information seven incomplete actual complete season ten eleven wrote customer service send second set first add complete first season wrong money back soon get credit send back ordered plus shipping handling keeping thousand days mary queen total order give credit expect reply gratuitous nudity way top substituting story line suspect cheap method audience beginning appear taper bit towards end season inaccurate historically laughable waste time watching glad pay watched would daylight robbery vacuous piece crap even accurate incredibly far mark modern thoroughly boring vapid really grating even make one episode without wanting fling window alas rental return one piece seen done wonderfully wasted piece excrement know hold back typically take time write bad finished first season felt discuss awful show however talent sam rest cast unsuitable henry skeptical thought might interesting anyway show filled typically attractive untalented fact none carry presence supposed portray attitude appearance wrong little historically accurate show could help feel like watching version poorly historical romance novel shelve notion actually show accurate historical drama many make poor piece fiction well unnecessary sex though detract incredulous story present complete lack development left wondering many included story however much want believe style intentional give relatable humanistic persona convince profound way shock value completely era depict recently interest history taking notice alison weir various topic show absolutely nothing attention curiosity even aside disappointment accuracy disappointment entertainment value waste time money would recommend anyone one worst recent history historical unacceptable racism towards insulting serial highly huge historical racist insulting show like henry mentality spoiled rock star player series run ship state henry busy court tearing hotel er castle although intelligent subtle turned play supporting cardinal version henry could never form first secular nation world far chasing booty running dogs book treaty actually sitting think behave like cunning significant king time walking around renaissance festival way supposed anyone want trade ya anything disappointed set series saw making naturally set single episode audio commentary bonus previously teller life tour already available filler historical drama need sex violence make interesting watchable need edge yes times abundance need shown show abundance masterpiece theater take masterpiece every time glad got first episode free certainly pay watch note bad idea put spin one well history certainly understand history necessary telescope even weed minor however combining henry lady jane grey mary queen older sister married king grandmother mary mary younger sister initially married king via marriage bed pillow went marry daughter gave birth lady jane grey gather reading goes die consumption assume taking part episode romp rich n famous figured ignorant know history anyway much better representation buy series henry six patience story supposed historical fast loose watched second episode story seem right information found quite bit story made finished season anyone genuinely interested gauging historical value series must keep fast forward button handy numerous pornographic serve celebrate henry immoral saint bishop fisher seem thus far get respectful treatment saint sir getting religious fanatic barely recognizable possessing flawless articulate brilliance magnificent strength character faith god much mundane note difficult tell much time supposed first last episode show good history intermittently interesting soap opera play interesting sat watched fire together get better idea people used act court graphic sex might think sort school series intent grinding early reign king henry except even native like spot history place far away long ago park court holiday fun spot take place fact several put series much enough make fifty first season however historically accurate disappointing would waste time watching series even begin match real people done warrior princess said want chick movie soft core sex keep men interested practically entire true story keeping would go good novel properly like good dynasty episode except see trust much better screen reality end clever script people little day except walk around posing different reality even courtly ladies daily kingdom taking way seriously lowly like geisha make old bag reportedly blonde blue eyed beauty even make one reality speak accent beef good historical story done mary queen actual beauty leader fashion going time change anything historian merely casual fan time period show place story henry history one woman read telling people married historical accuracy really appreciate good show would take away personal enjoyment however even casual knowledge actual behind show made impossible watch real appreciation historical glaring shameless eventually got watching together see appealing anyone even scanty knowledge time period drive know anything care anything love enough forgive everything keep watching thought alas afraid power probably finish watching consider loss review special neither saw also add neither closed caption either shameful thing people hard hearing able get enjoyment program different play sometimes hard understand said without total loss another reason lost interest quickly follow story however inaccurate story turned definitely whole family classified historical pornography henry debauched show debauchery say fiance show tried give chance number times always think show chick show really know else say think would good manly medieval stuff woman reading oh wow show awesome thing ever seen guy show completely barely anything historical even much becomes completely boring excuse see naked get supposed explore life times today got wrong someone henry background power reciprocal sack ask soft core fancy bad acting also awful matter series really much girlie stuff man mad king care wife needs good thing trying figure thinking one man fact story henry father got throne pretty amazing probably told explain plot henry name misleading erroneous entirety show tell got main right way see nominated costume design show much acting especially henry forced league daytime soap opera though times feel insulting soap opera say creative license think girl nonsense nonsense nonsense nudity sex used mask fact writing acting main henry times atrocious real reason enmity never even brushed mention mary st pregnancy son likely henry child two really big miss retelling story making henry short brunette like making big busted blonde even get right henry tall redheaded athletic life chose haired actor could find portray would hair dye really much since apparently actor actually act henry best could written well enough watched oftentimes wishing could play henry instead sam fantastic evil though times really like feel could hoped tad sniveling real would know henry one never princess mary one married neither sister ever married anyone even know would done show something mary husband sent bring back married treason behalf executed even sure show would disliking never suicide actually deep affection respect even fell favor king queen henry celebrated death may coincidental right party wore yellow man couple mourning lying floor celebrated demise wedding celebrated death party really think real henry loving crazy people make simply unfeeling sense decorum nothing better nothing else watch night show enough pass time bad acting aside care anything actual history may find entertaining hunt smack crap hunt casting see sometimes great enough even better acting supporting cast main cast enough make must see stretch imagination smoke fire two really like period want watch soft along story line think story full betrayal watching history nothing else watch show rest watching excited see reading barely made first two incredibly boring like lavish network soap history sketchy going twist history least make fun appealing way truth one unpleasant seen time watch usually trust found good guess best way either oh well found office funny version development way bad work time though pass hopeful seeing positive demand perfection entertainment however demand entertaining make three show boring high brow either decidedly low brow husband pointed one sympathetic character care marginally interested historical aspect show even care show accurate mean like lot great new check instead dexter great much sexual content really necessary go much detail guess bad otherwise would well done series watch region block get refund wait another copy love historical fiction reading ridiculous amount sex basically take show seriously lost interest father hard hearing absolutely show despise hear regardless house due volume television different given episode torture sex screaming battle period music none way enjoyable good thing say serial well made match period happy find historical series enjoying acting dialogue sudden quite find laced pornography totally unnecessary must something producer director ruined us recommend anyone name like fit historical whole show well written well kudos making really get character believe everyone else cast marvelous well would love watch hear whole series unfortunately closed caption option work hey people like totally rely watch movie series say available please make awful lots nudity basically soft core terrible put historical work yes lots pretty clothes plenty flesh seem interested screen henry sexual real ideological era simplified personal bitch different well dressed superficially drawn particularly protestant unsympathetically zealous self particularly true highly educated intellectual henry possible equal parr genuinely protestant reform callous tart total control ambitious father rather cause reform merely idea late day man hunting even accept purely entertainment educational worth wondering interesting history intense courtship henry actually took several half episode probably wait get give start rolling around bed whereas real cat mouse game passionate insistence virginity marriage fear would tire ever gave would far exciting brilliantly thousand days accuracy much emotional truth strongly recommend watch instead trash strangely maybe pretty clothes subscribe see series originally love history though although nobody expect television stick accuracy thought good history part totally accurate overall series nothing special plot around henry better known henry meeting wooing trying get shed wife acting pretty good job brooding acting kingly spoiled mediocre job henry sister princess catty really aged well since three really nice overall felt like waiting something happen plot slowly want scream get already praying something anything interest happen momentum pick final scene henry finally going forest probably best one series maybe feel sense relief something finally happening exciting acting history always accurate think series attempt keep excellent series deadwood either better written gone trouble expense provide period costuming speaking st century complete talk summit discuss deployment nuclear also gratuitous sex entirely unnecessary thus serious drama reduced soft several good waste money one thousand days mary queen man six henry complete virgin queen someone plot car horse random gore really tried give series chance especially since finished amazing series get past show failure show much anything beyond alternately pouting staring sultrily camera objection series deviation history object weak storytelling bad acting total lack imagination poor put thought clothing virtually soap opera make series vacuous painfully bad show idea create tension characterization dormer certain appeal show really better sound well real henry beefy redhead one scrawny brunette like lot good read mantel instead serious buff series whole disappointing soap opera set starring henry even speech wrong forget historical fact history much rich political religious intrigue could keep material felt fictionalize know cast although henry never cast left scratching head sam cardinal convincing would recommend anyone costume without historical fact call series little history much blatant sex history obviously quickly learned mature really explicit idea going see something would consider way beyond rated r considered show pornographic soon series wait buy since subscriber disappointment historical annoying forgivable biggest concern version henry way character unsympathetic unlikable henry arrogant obsessive cruel truly care anyone little true kindness ever shown without showing faceted complex character hard care play henry court photography series would worth watching sort get past first episode pretty though superman worse soap opera hokey pretentious historical drama clearly interested salacious might fine compress major plot scattered terrible romance like golden age series best history collins personally could care less historical accuracy history lesson would get book watch documentary history channel watch something like want first foremost great entertainment able add unexpected plot high drama true historical often went top ancient shocking nevertheless plausible importantly even though knew outcome going still watch see would tell story even seem trying entertain anyone feel like watching retelling period politics modern bland even veteran like sam seem make like dislike character like watching puppet show point already know story interpretation interesting enough keep watching show absolutely disgusting every sense word inaccurate ridiculous rubbish sex scene every worse please need see soft watching historical series show utterly disgusting even get half first episode reaction huge history buff would idea going fan ordered complete first series received said getting complete first season like watch starting disc disappointed sex graphic like lots historically inaccurate material watched first episode kept hearing series highly rated history lover decided check watched theory decided number viewer wonder many would say kept watching series believe anything could keep astoundingly bad many historical touched even go question much simpler understand everyone involved production going expert period seriously could gone people casting let review henry real broad brawny athletic build reddish hair short wiry dark real dark oval face medium complexion shocking blue heart shaped face fair real auburn hair coal black tallis real wavy hair neatly beard mustache lute smashing waif never saw mean going get play poppy mind case must admit need worry going know history want soap watch every episode criticize lampoon whole thing going fact parody fun enough watch give star reason though minus pray decide hatchet job beloved plot slow character development interesting portrait history rented season everyone show get uproar show average action buff action story line deep bit repetitive much drama talking talking talking oh wait going war oh wait talking king men getting caught husband anything oh going go war actually battle scene well watch sex talking talking talking wait fighting medieval sword action find talking drama killing king hear new sex addict king going need show medieval awesome battle rival lord obviously expensive production got first season circulation set seen advertising first reaction series henry lean man black hair good truth turns worse would take days solid research plumb historically ludicrous series fact matter expect learn much history turn historical travesty let start basic fact henry red hair deep secret one best known history certainly got right series people responsible miss amazingly right actor right steven duke red haired heck lot like henry also right build role certainly delicious bit eye candy often least button top shorts far lithe convincing henry henry eating already given something paunch time getting continue bad news consider good first good true rather less henry typically overall sumptuousness dress architecture well shown series gorgeous look us want believe attempt historical accuracy acting series professional exactly thrilling even sam cardinal woolsey name various spelt fairly subdued good cast great one script fairly well written ignore numerous verbal usually current th century worst probably reference field cloth gold summit term currency later th century ridiculous mouth woolsey sort quite awful general patois nobility got sort feel far modern various f word favorite vocabulary unlikely use almost ago hear favorite times sblood would competent research department historical course manufacture lot particularly took place behind closed replace well known historical however far beyond pale matter henry sister henry mary mary married king later grandmother queen jane grey married king mother v grandmother king sister king excuse wanton perversion historical fact end first season woolsey tower suicide slitting throat absolute insult history man woolsey indeed reaching tower may know church dim view put mildly suicide good catholic much less prince church would ever consider version lie damned lie series goes like casting truth perdition lying every opportunity name series lie barely henry rise dynasty dramatic tale somehow henry first series coming would good sense dramatize background henry reign apparently would rather ignore background lie reign well long realize almost complete fiction enjoy good bit mindless entertainment full sound fury nothing wasted five erotica never like actor henry like less well done like running around accurate depiction history according sense give even though love historical drama random sex believe necessary wildly wrong hair wrong clothes commit suicide many historical real story far better garbage save money giving one star made difficult navigate trying torture user almost put fist new high display got umpteenth operation disc message trying get main menu select episode clearly test actual determine ease use show decent acting course historical sake drama numerous times anachronistic cinematography gorgeous great high seeing series first bought high best say piece technology good content far worst piece pseudo history garbage since last days beautifully virtually everything except basic history ie set consistently wrong aside technical grossly inappropriate costuming times actual frequently twisted mixed chronologically many important totally wrong classic example supposed marriage king death consumption obviously rice pudding bad excellence nicely done although reddish gold hair black unfortunately offset overall fact pudding drivel taken accurate history history important teach human interaction reaction learn history learning wrong day age suppose even possible god forbid trash might even used know begin awful show history thrown window poor deserve defamation degrading portrayal intelligent strong spirited could vengeful especially reformation studied new sympathetic poor smart smart married smart throw men leave room scandal particularly failing produce male heir suicide way tower king execution dignity two unbelievable henry neither aged weight closer real seen real mess indeed much trash language able enjoy need sex sure find filthy language either period time video time better hearing work read way mess around way attached player sort work worth trouble would wished historical accuracy terribly knowledgeable period certain point found muttering oh come way like bet really way interesting historically accurate entertaining cast remotely resemble offer eye candy interesting one would fault imagination suspension disbelief could watch story made probably enjoy need understand saying series well quality sustained three four becomes silly plot attention sustained frequent sex nudity start well soon become crass pointless casting good bad whole set gave watching half way always know every detail family pretty much teach class really excited show alas proved futile nicely inaccurate adore learning fascinating era history unfortunately ace history way much much explicit sex love child see way plan finish series show like story follow history one many much time spent sex amount nudity uncalled yea ingratiate us yea ingratiate us enough edit bad acting oh god find actor actually sit horse whenever get horse character sink horse goes rider goes jarring tribute raised saddle sure people like review live mother basement keep bottle liquid silicone box next remote really idea show love period dialogue awful also like took soft core amazing like abbey really highly produced like bad writing mostly bad acting weak direction music though imagine anyone would watch national specifically someone travel video together even feeder someone amateurish quality good look national rating disappointed least tell us front headline fairly juvenile magic industry pretend smuttiness get thing prefer comedy always full sex related material bill excellent comedian without bad stuff video kept skipping around various playback sure smart fault never film return immediately shown made terribly disappointed gentleman current interest sorry one definitely wither watch regular show repulsive thing say worse bad tasteless ugly animation terrible writing whatever like made sick people watch much stay long dad yet funny family guy last month walking nostalgia lane watched old movie class way back result movie incessantly list since free prime finally cried uncle today watched damn thing course abundant decolletage thumbnail also inducement whole quite hilarious even though play character except face old risky business poster believe sorry grinding teacher desk couch one poster would differently even savoy gone bust mid film among sitting distribution limbo several think film actually shot distributed till even went straight network rather intended coming age concept much better juicy prime get nice albeit screwed lady love scene tender almost chaste took math degree please refrain sniggering able help calculus homework problem married calculus teacher toying adolescent day garage making bad industrial sculpture interesting considering people like character call make difference old even everything technically legal movie careful avoid precise age way get unrealistic relationship would imagine upside grown woman longer deal randy whatever upside might come presumably inexhaustible sexual energy endless adolescent male even wine restaurant hear like time real life maybe control issue amazing obedient young man going get lucky leverage case accident husband total jerk math may make pun beyond movie simply class risky business nothing terribly original even character much like young man desperate get class risky business love older woman class one slightly different behavior little sheepish leaves following bout feel squeamish enough tell never also note cinematography noted picture basically like well mounted film like tambor father provide solid support seem pretty realistic particularly newcomer zak math genius stuck friend zone ex terrible derivative recommend teacher wife light nothing brilliant serious never truly worrisome little interest empathy exception central character father tambor background music jarring several animation shorts simply bizarre ending ambiguous gave extra star photogenic cinematography movie biggest defect far script one memorable line entire screenplay despite four crew whose job indicate deal script specifically light humorous related easily applicable another issue teacher numerous reeled little else happening life like watching boring especially dozen times hard figure something interesting accomplished abound last film watched ambiguous ending without giving away say far provocative satisfying conclusion could easily point credulity long short pretty vapid adequately teacher wife never trust people rate movie ever glowing first min culmination terrible writing acting music way painful bear one second one crazy summer yes nice look woman earth beautiful enough redeem travesty predictable oh love story type movie want really comment entire movie bad turned bad acting bad script bad plot else say wish could give good rating badly executed worth money interesting home avoid hate nothing else said want anyone watch much world despite exploitation cover decent opening scene basically long drawn drama concerned people space many thoughtful introspective mundane music often wait long time effect almost boring wear sane person time absolutely could bear every scene thing skip ahead times get scene something going anybody watched thing way without fast forwarding say liar living corpse movie one important people made seem like even anyone somebody must supposed making horror movie shamelessly tried get back last alas little late thing real stinker show ago never around self centered arrogant unfunny performer life mar decided try watch couple see show two supposed close type practically identical really frankly shove pencil ear watching person comedy many many comedy comedy art say show merit every episode odd reason perhaps edgy cool never know understand fact completely comparison show love shock racial humor love executed funny simply try edgy shocking show like jimmy said comedy central comedy cancel mind guy love concerned good product laughter entertainment sorry ordered really first season excited perhaps finally someone would knock throne would finally get deserved gave show episode season one world lucky may skip end watch last episode since team totally assigned desk duty fitting ending would death slow one one reviewer stated like breaking bad would like show true love breaking bad main character shield got last good nerve like bad guy detective include shaking drug killing sleeping practically every show wife home uniform cop pregnant wife fully roughing people force information covering team even almost death villain always escape shield type show unlike breaking bad show sense reality way team known strike team would able run drug trade top level drug gang would entire team also family never cease amaze one close ever hurt totally one time ex wife bank account frozen situation minor breaking bad walt motive making provide family due health cancer breaking bad also add sense reality show see walt struggling lose teaching job family wife leave unlike walt invincible shield average cop drama totally unbelievable like law order may slightly bending protect keep family system trouble shield protection whole different level show bad keep getting away power old quickly becomes predictable know episode end team retribution bought found episode appearance watch whole show good bad really bad even make enjoy quality delivery great usual bit disappointing season short still cost price much longer ever watched everything better hard time getting show awful camera work awful gritty raw kind show major fan would never watched never watch anything beyond seven gross reason gave two wise none ugh old really fast something break monotony never life order company went post office told number gave non twice tried angry could scream end day product refund month gift card imagine money gift card ordered got month later fine get ordered brand new case busted even case joke charge ship canada cost rip never dealing amazing go hop get stuff way love show show season slap face faithfully series something write last stop creative want simply take money run write crap ending even worse ending would believe ashamed bought season used great price would feel given free previous repeat watch season stealing money false like produced music guess goes prove sucker born every minute time sadly happily experience slide show poor nothing interactive took twice long play glad even worth two wander western mining town fading away rush one brother based mistaken brother part con game condemned die finally escape ultimately wife outlaw also real culprit around town start casino help people engineer declare town sitting rare mineral everyone rich bride beginning father wanting proceed take road disappointment film evil slade trapped script sequence hardly plot disjointed synopsis dialogue clever thus extra star contest accidently trying berate town people generally story unconnected sometimes illogical later untied prior thus audience never care movie visual quality relatively poor reflecting cheap production movie made harden fan would want collection cheaply made poorly written mid good even good cult good pass watching movie wonder world movie get made complete bust worth moment time unfortunately wasted thinking might might get better save three movie one worst ever seen slow funny know rented video season one episode one get kind show want see ignorant people acting foolish visit hood never ever unsure think amazing look cheap trashy mouth needs plugged easy see series three good considering probably joss fan mal firefly angel nothing like rented light entertainment one hear end show husband said waste time money barely stage one really funny even better interesting advice waste money usually review often want warn anybody may want watch think carefully purchase really like mention like guess admit show fact props background scenery nothing high school production accomplish could writing par sad fact least label truly something ended seeing something way less maybe growing brilliance early days made jaded least worthy know gay show season used tired lame comprise show big gay blah see two people actually thought funny think two show still compare show like hate show canned laughter unbearable endure continuously watched first found nothing laugh dreadfully corny totally unfunny series would galore simply could endure rest watching episode one know first tedious time totally inane childish wonder able second series truly worst comedy show time think show funny juvenile taste comedy great gay show amongst watched could one get away rubbish kind one might see group high trying make funny overnight camp show humor comes watching silly actual script would pretty lame watching show like poorly thought even poorly sense comic timing run impossibly long point kept skipping ahead see maybe next skit would funny luck shame enter yeah get tha hood big flash volume excess video however notch territory overload shucking excessively loud boasting shameless camera hood apparently attention seeking overcompensation complex much problem laid slipshod method getting footage take find gather group six seven shout great deal dialogue unintelligible shaky camera work nausea told implausible fool would believe even half said hate see left jay gee entertainment important rule thumb shoot raw footage get hour worthy stuff still video value unintentionally hilarious rich fodder recruiting tool white supremacy needs put old well think new generation would get feeling used like work great long video sent wrong video correct problem unbox happy film yes classic taste single word almost totally useless trying understanding park like visit pretty boring nice sometime slightly cheese poor quality believe site poor quality video music voice narration seen better tube informative music park narration history wildlife best way experience park lots beautiful scenery loop would recommend video want actually learn anything park looking something see real amateur boxing never st bore bought video thinking hot beating crap sweet well none turned case hot fact one either used man still man violence limp say least imagine episode trailer park domestic disturbance problem seem care much win stay away dude get part money try way hard clever show really falling need buy helmet bus disappointed find although video good audio significantly instant version able use workout video say much good dance seem easy stir passion like suppose feel went wy episode found final available wasted time disappointed show painfully outdated boring hold two year old attention ten glad ended instead recommend little series instead rented show class read story first decided show original story older woman telling story granddaughter memory unfortunate addition ruined flow story acting convincing recommend film grandmother granddaughter emotive acting attic gift magi told grandmother stilted couple insecure wife cajoling husband great film screenplay trying maintain much narration acting ho hum idea thinking bought truly worst thing ever seen beauty depth lyric poetry beyond unimaginable really one even begin something bad right let alone destructiveness subject criminal offense would capital crime highest order run stinker one avoid especially e e although target audience offended number cheesy act poetry context result amateurish would barely worth high school production let alone rental unless love flat track racing going disappointed talk brown flat track reunion show clips making portion movie desert hill climb anything else acting poor worse literally leaf ivy vine short story true original story though yes bland bad quality video movie could given video quality horrible description video misleading led one believe nancy skating along also video shot las fact shot community video quality awful camera often found behind blind lighting poor ice surface ridiculously small showing group child actual sequence never saving grace reason second star actual excellent bunny brown walter tucker wird seiner art die die sind die money bunny die mutter sind sie um die sie sie z b boot l parallel die ber den ist es bunny l sung bunny en das spa may good item method work therefore waste money unbox player would play video would time play would like get tech support least sure pay title attractive anyone get play post review think would play anyone even henry life get half price show good movie unwatchable volume way low like someone put next room turned gain way want money back probably even worth trouble try get disappointing purchase two therefore rating one movie still rate something purchase movie good stopped working midway disappointed sent inferior product would helpful able play computer could much better documentary like rushed production appropriately cover social commentary documentary pioneer showing hip hop culture give spoiler since like trailer everything expect however really young question si follow documentary vile industry instead media also rush next time generally good one would recommend leaves lot desired kudos think movie boring felt sleep movie really bad really predictable movie much film disservice everyone involved person turns hero woman west men completely shallow black deceit order get little something something black woman never sexually experienced black man set documentary slash film much time phone trying convince meet woman filling space low content depth film topic inter racial inter cultural analysis material whatsoever woman nerve keep clip film woman date black man woman society three colored black white supposedly natural would choose date white men present outside cultural political sociological context natural choice big failure clip added nothing film also made woman made statement look uneducated mean think second many world filled three racial color us yet norm choose white men anyway goes woman white men devious black men hide better treat better goes say black men sex better make sense anyone choose two basically one better choose item best well course would fact refer human remember film intrigue black man ace hole pun intended c implication give indication black man preferable white one cultural spiritual connection end goes around image black dog sure elaborate suggestive meaning men involved film bunch lying cheating wonderful hell would want experience black man well thing hanging right remember really strong concern meaning black man interest around find difficult believe black woman could spent life without dating sex someone outside race good thing know muster nerve tell perspective well know may put worry work make sure safe people finally chance go date find guy supposed meet another woman find drinking bar interesting catch sex man supposed dating drawn bar hanger hide fact playa actually present black men seeking fly woman shag project self image large swinging digress little date little closed since scene blind date kissing drunk woman bar sly way front camera front face successful church going black lawyer going challenge never black man sort self abnegation kind self hatred black men never really turn intimate situation vein course purpose fun get know woman grill never black man laying implication something wrong cozy drunk woman bar nice say film black men bad light probably white men everywhere cheer joy sure never date sleep black man watching bloody blame oh yeah almost forgot mention black men eat believe wish disappointed video video film never got see correctly know let day never finished job intended thanks nothing photography lovely music complete mismatch classical music lovely go spectacular grand canyon disturbing sound would much better choice music low budget video disjointed badly learn much anything recommend love could bear watch past first save heart concert good basically full funny enough first two three season think went deep end took either way people show ended hosting even get first episode turned good overall nowhere near funny first two right leave show clearly threw three together quick day two demos season fan watch keep mind ready quit live performance chore watch even show un funny host finish rate slow computer top line mac usually watching like instant streaming horrible fact thing keep giving star like like ex jock wearing badly fitting tux pretty girl former miss something forced wear corny order illustrate poker lesson like folding laundry folding bad hand poker expert look sound lot like would shut could watch poker game kept reading tele prompter like someone bad high school video production yes video free prime membership even price much movie min get message problem would like cancel response note refund well one thing seller tell playable region would buy player regional watch severe disappointment birthday gift poor sister bought set previous reviewer anamorphic baloney fox taken old take road hong non worse fox deceptive simply box disc whether film anamorphic annoyance three anamorphic flipper full screen side therefore really know getting thing recent disc set anamorphic saying simply unbox missing particular reason also latest episode find episode life episode want still received right episode want money back watch movie full screen junk junk junk junk junk junk pay extra decent movie forget silly programmer put poverty row formula matinee fodder complete c list cast rushed rapid fire melodramatics corny dialogue canned every espionage shake swastika print used streaming bearable although watch glaring technical one reel like projectionist training inside mood amusingly brainless piece era nostalgia dawn express bill otherwise likely better ways spend minus realize version quite picky next time pick movie thought movie bit low budget taste include title seam believable bottom sea watch octopus get beat sea supposedly people rail ship acting bad could finish watching movie fi element unexplained device shut airplane mid flight somewhat entertaining late second feature night type movie show today would second tier spike classic fi fi fantasy removed disaster tag stay even though fit genre sure know watched enjoy got sure producer could bear watch movie terrible acting acting well get picture waste time one rate one start since minimum stupid movie boring totally stupid funny try get money back photography acting writing film one worst ever seen level amateur home video made fun kind taste cinema buy film wasting money workout least different fitness order done correctly effective instructor tell going go buy hand easy one people however little purple pillow step different mat balance stick keep close interchange workout least found workout complicated cumbersome switching workout gave two good choreography want something simple user friendly achieve optimal would recommend anyone especially someone watching laughing mel vera want case picture cast buy want actually watch show forget show really happy complete season finally came ordered unfortunately production quality worst ever new set scratches three even though new notice first disk skipping third episode quickly sent new replacement set replacement set also different never bad quality cast deserve better manufacturer let know problem found could care less hopefully better yet complete series unscratched something actually watched way would say manufacturer kiss grits item came closer inspection found item consist bootleg quality production investigation found selling burned completely unaware even happening customer made site go one stop shopping site highly disappointed would try pass flea market quality set please note warning product description however unaware even customer ordered never update research warner official site found made demand even site sure factory r quality open time review r highly disappointed company big warner lazy low quality nice available purchase treat customer bit respect making feel like something back someone truck shady parking lot bad picture stop start good series ruined greed come realize since desperate see stuff get away highway robbery r hanna thing josie outer space among many drawn line part allure getting set colored art work sign money along professional want get entire series collector want best obviously negative feeling pay good money think stuff bootleg glad caught product found closed subtitle favorite show disappointed warner brother cannot buy worth without closed demand good show favorite actress cannot watch without worth poor cover art like done buy cheap everywhere art stick gold silver generic purple blue people buy burn home center midway well different season hit next button move thinking watch stuff weird thing thought show watch show see liberal propaganda liberal good grief think thinking nothing sexual innuendo trying use shame people liberal thought control cheesy one show horrible someone said never understood lately made look like lived agree nothing vile decade show proof positive show gun control unwed gender bias guess form really old video source video audio quality moderately poor quality production slightly juvenile like production might made appeal junior high school classes comes near anything st beautiful city documentary even capture try gorgeous brother sun sister moon also available streaming good movie st love old unfortunately one measure gene mix video sound copy poor unknown barely b cast actual dance pretty good story fluff recommend boy girl dog title dumb movie chee know made long time ago still story could made sense looking movie watch pick decided fall asleep instead watching end movie lot fun weird movie movie would good never watched picture bad sound low mostly old movie murder film newspaper headline murder make statement press reporter photographer compete news police searching girl party murder lawyer get girl story archer people oil asleep drinking intruder glass photo one negative remain see kitchen era bread enter apartment find leave disguise another death someone shoot next next goes see showdown dead another surprise photograph people facing lawyer joe fire hydrant happy ending complex story occur background collection surprise amuse audience front page set high standard drama newspaper business understand relatively old movie however quality quite poor often delay sound spoken cost movie match quality movie documentary could interesting information dry boring way possible cheesy music low budget digital effects inept use green screen leave impression studio made cheap cash success feature family found really boring read seen movie need narrator accent practically image aspect wrong like meant displayed image something like mostly conjecture whether influence idea anyone would find interesting dreadful horrible video quality shown stale dry commentary doubt anyone end piece like simply something professionally done oh oh oh watch drinking people water course homeopathic diluted far nothing water may perceive merely placebo effect want think something works think look actual study homeopathy stop wasting money silliness thing alternative medicine works call medicine get clue film good showing quackery behind homeopathy straight narration dilution th century without evidence like like belief water memory admit know think works truth many randomly done homeopathic good placebo effect supposed film also also downgrade film poor sound quality low resolution picture cheesy production value entirely non critical practice predominately considered sham homeopathic contain one molecule less anything except water alcohol used dilute physics system effect physical body beyond placebo effects sensitive influence infinitesimally tiny herbal would drop dead walking field wild mystery healing mystery people think works define homeopathy made whole cloth c diluted ratio one molecule left molecular memory answer logic also drinking homeopathic urine every glass water interesting thought would sure kind information looking pretty much straight forward chronologically organized biography would recommend reading volume biography get fair measure man voice impossible hear background music loud interesting though cut frustration sound say except adorable nice addition go must cat cat cat oh lord video taken cat show point like written directed amateur video cam good overview imagery boring pushing favor write film sound like comprehensive guide vehicle cat talk clinical professional history particular favorite breed want hear cat talk like livestock film looking information people actually love check film simply confirmed right decision adopt three rescue adopted last featured film absolutely adorable human basically breeding profit far sent people adopt truly love please rescue one shelter instead one breeder pet store got ready informative movie different stop watching around basically oral presentation breeder selling repetitive silent footage type cat stopped watching first first word buy please consider local animal shelter much better lesson compassion well angelica like reading cook book travel show get numerous one two sum entire description place one reviewer even watching even make skip one sure many anything happy discover one poorly done stopped watching less sound bite poor unacceptable age advanced technology worst aspect unfocused sporadically information perhaps type introduction prepare viewer program touring unique mainly exterior spoken architecture next house chronological approach historical background home would grab interest viewer gave cinematography times good waste film going accept hoax pseudo science prove pseudo knowledge avoid sanity well sure whether give five reality every single scene acting funny know act like clear character dead want watch gorgeous wearing designer clothing watch one time ya lot nothing historically creation two historic maritime interesting brother versus brother probably reality pretty think miscast role choppy like theatrical play movie flick promising incident factory poor acting inane plot relaxed put sleep point version bought synergy part way though film jump cut later scene film understand entire film jump cut much later may break buy film another company see one apparent source print synergy version faulty panther claw less mediocre time waster barely watchable curiosity poor print scratchy help also deter staid direction script written riding bus poor film sound quality made movie believe production quality poor effort would given four two could muster little high goofiness meter definitely little rascal quality alfalfa bit made chuckle second obviously attempt ride rascal faded color jumpy footage gotten streaming technology mention wealth selection pretty clear start script writer never read single book previous writer formulaic script cast protagonist monosyllabic noble savage jane young wander troublesome require last minute rescue role script author rice wrote interesting multilingual multifaceted character terrible movie could sure tell knew nothing wild horse acting appalling looking silver stallion even watch look like silent film week bad one one really good one miss film racist slur title known bad good review guy dad extra know worse boring dull dull dull except racist even good film racist towards would hard call instead racist slur would hard give two might fall asleep might turn stomach sick racism stay awake doesnt explain anything tattooing see anyone could learn anything glad rented didnt actually pay sure bad grainy film outdated boring boring boring boring boring boring boring boring boring boring boring boring boring absolutely beautiful rich culture tradition found video however dry boring often showing person sitting talking something could showing scenery inside salt mines museum many nothing people live today entirely tourist place everyone works clothing learned salt mines coffee always paired pastry brought learning ballroom etiquette manners strong appreciation cultural pretty much swing miss maybe something different paganism superstition people region daily life thought would history great see nearly enough history searching video painful watch believe pay find information free line much adore kindle find truly lack fitness especially strength fitness add feel constant need find new challenge limited number available though seen ballet class workout far positive review already want let one person review totally put trying face palm wish take away workout even look title class still epic narration next absent unless expert mind reader would impossible follow understand able find real rhythm counting making routine told turn around switch sides extent narration effect one would need kindle wheeled leash able continue watching without narration prompt without breaking trying watch truly found waste time even try following experience many different beginner advanced dance aerobic yoga even days rented expectation view immaculate demonstration traditional ballet class demonstration video far perfection however great would good would recommend one dance another crudely fashioned video company slow basic adagio center clumsy useless save money ballet workout video quite good basic floor instead upright much better one leaves feeling toned available streaming though disappointing depth information back story type production end watch whole show found neither informative entertaining slow cumbersome watch one white prime small history lesson would total waste time would recommend make past first thing least without fast forwarding see got better turned case traveled many times considerable interest thing saw footage window take word really line train stock footage someplace else way tell sure rest film much could stay awake stock tourist agency footage big whole movie little information much else interest even worth price maybe harsh really entertaining poor lesson history lesson instead well told mind poor production quality works informative made integrity found documentary highly contemporary neo fascist far active eastern german government german people taken oppose fascism illegal publicly display sing make deny holocaust major city without holocaust monument single monument russia red army shame documentary singled activity rather cover rise neo fascism across much film bunch crap never hatred toward anybody sure neo cause even want nothing neo legitimate right wing political party best interest mind want another closer mildly entertaining yet highly implausible main character often annoying making relationship unlikely bought saying used like new one badly watch southern belle appreciate accent typical thank much actress role man world astounding leadership enjoy new series great show inter net streaming ever seen work great program kicking overall season three strong first two really disappointed episode season finale plot ridiculous happen put together use entire road trip interrogation prisoner wiring criminal execution end car really involved rubbish could never happen level police work sure whether director fault much expediency enough reality reality drama hope upcoming like less like quality poor skip pause freeze apparent reason checked player work fine player good closer flawed third time trying view free prime intention starting digital library intending view movie two series ended paying privilege opportunity cancel cannot explain avoid future plan cancel account used customer worst show bunch cardboard wooden acting stupid vulgar tasteless totally repulsive garbage fact kept seven stupid network watching recent movie watching version interested real reading factual account famous couple came across little pretty boy read pretty boy nothing carelessly many groundwork watching argue terrible movie based gossip movie educated kind junk watched gave us stereotyped people run evil every facet bad speak bank robber lingo foreign us reality parker lark holding gun cigar argue foul mouthed girl cigar mouth absolutely ridiculous real drank much known swear lot actually kind people also every scene bossy rude everyone even actually close particular money stole boy scout alter boy one dimensional either movie three people shooting almost everyone encounter without provocation dialogue silly much real factual movie even featured wrong three real people stolen drive movie older argue writing acting quality similar cable movie worse supposed based really outdated factual cannon used never alamo poor sound quality poor casting historical bother watch ending one worst dialogue seen watched see one older like actually bad funny times direction many times fit might want pass one old movie poor picture quality sound would recommend anyone unless hooked alamo trailer first fe w movie see cast good video demand long teach unfortunately returnable known better run time listed waste like since name nobody hill performance actor decline spoof like slap stick viewer without much thinking unfortunately renegade poor like may western good reality theme slap classic western better watch hell like classic director decided popular worthy film industry made movie absurd prove point know heck going either married getting ready get married plain sexual relationship thought going sitting couch listening advice sex psychologist try sexual advice behind closed know getting talking black screen one episode glad spent would calling head kindle demand money back even fast forward junk see going see anything remotely entertaining ended nothing relationship mature enough watch video must relationship since single man maybe video much awkward silence felt funny make awkward racial silence racist noncreative stupid sale white men stereotyped film version run starring york jenny lot incarnation regrettably aged well special effects laughable laser look drawn red magic marker props joke one vehicle door obviously made sliding panel plywood acting part plain bad heather mainly mouth open catching unless die hard fan like watch cheesy fi riff ended worth spending money note saw first episode via demand read book naturally curious based finally stopped procrastinating saw first episode today good thing buy expensive main thing like god remember crap book long since read probably forgotten thing like found absolutely weird crazy plus utterly nonsensical noise music incomprehensible chanting constantly engaged like voodoo waste money series read book instead believe much better bad interesting turns well directed yet entirely fiction amazing even publicity lawsuit fictional novel writing book many people erroneously imagine historical account lawsuit u district court southern district new york charging author copied novel trial memorandum copyright infringement lawsuit stated defendant access substantially copied without would different less successful novel indeed doubtful could written without copied language plot character expert witness report federal court support claim professor wood university stated evidence novel television dramatization clear irrefutable significant extensive plainly model something copied times times always style plot essential depiction slave escape psychology old slave mind hero whole sense life infamous slave ship life novel appear life someone else novel five week trial federal district court settled case financial settlement statement various found way book historical novel hardly historical literally copied another man novel en watch probably enjoy decent hardly worthy adoration near worship history revealed want believe gave two story line good cannot stand picture quality made series course exactly hard watch made quality great story line made look said entire series watching first series discovered would cost episode could get expensive since many believe deceiving dishonest let people front thinking dropping show entertaining worth anyone else scratching head like wondering available via done web found nothing season set one watching computer let hope new trend going direct guess want transition need commit crime think tax need support sex change without decide want break law go prison take look four five star reviewer find something common either film reality highly made mistake two annoying slide time never angry got worthy garish slide voice loud music want know say buy book read comfort quiet home garbage year old niece could make better movie promising ultimately pretty lame alternating seeming criticize secret unspoken implicit catholic perspective behind illuminati many times furthermore status total outsider making straw man little actual knowledge nice ken effects though word advice want understand secret consider joining one instead making stuff information subject music video style might teens doubt subject would garner interest constant every give person time really see another picture almost instantly present time video color portion black white giving impression done hidden video camera without permission photograph narrator penetrating voice would effective singing music although believe people would satisfied without since concerned content singing recommend easily relate premise movie gay man however bad movie acting ho hum writing terrible waste three movie low budget graphics classical music loop voice even rare occasion real photograph something cheesy graphics still overlay physically impossible watch point main gist attempt compare dark matter subconscious mind seen two gave attempt season something really want computer see could something want spend time season l word probably worst written season thus far story arc disjointed individual character appear anything previous season story arc camera work pedantic music standout element season one two equally lackluster fan show save money new show invest season one two must bad live stream kept freezing watch watched series watch sad way peter end brilliant career right bomb two concerned kept watching vain hope getting funny movie sorry say worth time film made might worked peter near death afraid film despite funny lack energy film flaccid even embarrassing think perhaps film might worked mel directed someone knew put camera knew let light every shot wrong one film director fired fired haggard fired took film actually level utter foolishness missing think kind hearts oh well thought maybe expanded enough revise original opinion alas painful watch waste time money true bomb unfunny waste good cast unfortunately peter seller last movie peter great comic actor neither performance comic quality script comes anywhere near even moderately funny great also film even tend fall flat word movie uninspired writer director knew funny feeling way definitely asset fair funny unfunny state mind one positive reviewer say couple times watching wished chosen instead although already seen well funny original pink panther peter today garbage assume also product time try make living expect level comedy brilliance better peter seller work really tal fan tried convert since public radio ago even bought one room pay per watch episode version honeymoon colorado episode end used really bad enactment mortified journal reading radio favorite funny first time seeing version canned laughter black white face telling told first time worse comic timing well mortified closed episode anything might made upset figured one episode seen tell place absolutely far either highly loyal fan never go free site immediately wait maybe next season get old pass season bought gift upon opening one disk cracked unreadable first rate product something would find street merchant b life season b life season two rented via video demand due positive sorely disappointed want funny robin comedy choose instead skip one got last time dumb plot boring unfunny waste talent time much like nothing much say nothing one mind numbing ever seen grant best could plot costar waste time money r made order demand format work play pro message came skipping area play sent back get replacement update later new copy linked video title thinking selected continue selected make purchase instant view movie watch computer screen never never think link seller seller make clear view love art get one slow even lots dead air little dialogue ordered adult special needs brother law entire series year ago broken working promptly sent us replacement several second set work driving crazy try end right seen wrong wrong celebrated right show sickening group head run casino beaten path left part inheritance soon discover never pair come collect full moon scream queen robin opposite play casino rambunctious casino disastrously slow start real close hour little action band still enough gore light humor keep interested end interesting character becomes undead blackjack dealer mind coercive bartender shining also known dead man hand casino damned carl like horror big fan band however movie hoped would still full moon fan life movie par band involved one least rating possible copy provided black white despite representation color full head mask apparently true original zorro character story bold set portrayal native particular interest stilted generally poor acting low production poor quality copy recommend pass one skip first movie funny flat movie along ghost chicken funny movie capture quality watching cinema would maybe fun young set blue ray player would would play either working home system rip convert play watch buy one purchase regret hope help someone make mistake first video poor quality sharp trainer inconsistent approach training positive e reward based escalate aversive e punishment training absolutely sense learning theory perspective research learning us get dog hat way punishment necessary physical done inexperienced trainer lot damage well executed reward based training program effective require physical punishment old date bad quality worth maybe free paying money enough detail history ethics case maybe good junior high simplistic high school classes global ethics everyday ethical bit dry lot music point go back force listen guy could actually understand talking believe guy expert reality show age old question type interested rock star twenty past prime answer mid early forties low grade airport also make drinking game series every time every rose thorn take drink apparently poison song people remember later idea yea really love like watching everything blurred great tell total waste time show video getting one two absolutely learn nothing new cast pump em dump em type got done watching second season excited watch first season like hell buy see hear thing get none waste time saw pretty much saw unrated everything still bait switch bull hi serious addict completely disappointed purchase set exactly show albeit little longer block nudity sitting home watching disc one however nudity still blocked well completely unhappy know must upon extra footage see didnt see show candid hanging naked crazy none even decent menu chapter choice watch entirety perhaps revamp whole thing season unrated rehash air presentation naughty waste money pretty much sum career reality show one step bottoming hand perhaps bottom attempt gain notoriety case many look anna smith flavor soon reality star pam opportunity become star one time another instead become thing often display little best limited talent heyday hot item something divorce management change band whatever talent nothing fame may end case brett show rock love brett lead singer poison band whose last major hit though still fan base search true love want sex find one needs found true love call crazy taking advice love someone graduate single college four year period doubt looking show becomes obvious one girl ear would let many long number one much die hard love show flavor love flavor brought bevy choose one would undying love surprise show got one season set find new love show people watch see actually true love think deep know slim best people watch want watch interaction number catty want make proclamation slept rock star want title want national bragging anyone sleep rock star road superior attempt get know girl thinning herd small talk short single night yield first batch door believe talk trash experience yeah right worse yet first group even make house one way back stay second show name calling back stabbing rock star sleeping get front center attention show insightful commentary member stays well brett offer action taking place let us know inside excuse anyone else think camera non stop performance button true person behind every contestant never seen perhaps world trouble best offer way world please let anyone care ever anything let stick normal bleach blonde come vapid world ever seen proof think might actually chance true love brett hello reality show true love never season two next group comes trough blame sort thing start jerry springer real legacy left behind anna actually watching week week one program deserve one show show stupid thank soup e prove point bad sort television television vast wasteland kind must seen ahead time ton great many get due poor crap like go forever spawn spin perhaps next generation wake see bad truly even begin explain brief snippet caught film husband avid wide range watched film turning anachronistic alluring first got going represent would possibly slept go playboy grade issue contemporary poor sound open film narration orchestral arrangement insult viewer intelligence afford show variety graphics illustrate point please create video rather buyer beware viewer background text shown repeatedly left right read exposed graphic head ache image stopped video word shame tourist cannot get enough bridge far think image hour man brains blown road apropos nothing finally gave attention spent money local coffee house instead desperate bet guess worth wonder waste experimental movie get act together full repulsive good interesting overall one annoying ever seen watched little speal movie watched turned end film inferior description accurate waste time money better watching paint dry whole story plot seduce married man woman found minimally entertaining cinematography poor opinion documentary honda made honda production hybrid decided crush electrics electric car spent general explanation smog history automobile include guy old sticks electric new york natural gas competition amongst several make car less per gallon plus many unfortunately material badly hear much natural gas price natural gas back near recall hear electric soon backed zero emission requirement thing target winner college competition hybrid type alternative vehicle go buy today nine later save money go buy electric car show horrible save time try woman chuck journeyman low production poor writing bad acting weak premise kill vehicle fast prime time liken morning tween think saved bell worse could identify show even good bad cheesy basically glad bought one whole season would suggest curious sample first one make decision whether think worth sinking money want refund money like plot political one side veteran want ger buttons little piece way disabled would like right even though one might think would disagree like flick lord mercy hopefully raised sense try explain like imagine matter much around forever frozen matter many see still stuck person understand understand watching film constantly mean constantly jackhammer spoon force feed message going upset well upset upset two went ten ready puke short version disagree could send money lost foul smelling steamy pile ya agree maybe get together virtually toilet paper person found smelling pie insert insult enough us agree harass possibly force issuing review knew stay away mac compatible gave chance paying episode window saying available non us jack would never make misstep big show real clever shame home surgery thought might help cut constantly high quality house always start connection even though rest totally fine selling product buy sorry season awful someone say hate love fey previous season lost originality comedic touch lower quality nothing episode like watching extra material left substance like watch regardless like retrospect collection worth get let hope th like first product quickly plus entire lower section cover collector upset like puppy got known reason giving star appear intact said show contrary really enjoy show problem service compatible apple seriously make sense really upset corporate going prevent watching show looking forward watching rock one favorite television since first saw preview season united show deftly erudite humor writing today episode like many rock three four different plot given episode past two three hilarious one two falling flat problem season four two cleverly premiere season four none hit radical turn rabble rousing union leader unlikely three mean us believe guy magic television seen way sausage made job rubbing snake pooped suddenly inner bill jack much attempt meet real people good flat seem run worst plot incredibly lazy hackneyed idea pete miserably failing attempt keep fact looking another actor secret staff rock works best take rip build something brilliantly fresh anyone episode even try would opportunity wry humor past end lame throw away like give new york minute seven even recurring cameo pi wasted threadbare many non week episode better episode show night ritual need see show work guess suffer big business given think unreasonable without suffer right greedy bas beware extremely disappointed unbox available u problem sure solve like apple global company yet admittedly picked set garage sale still think worst ever spent call beneath lame seem run get crackers acting woeful wooden see joke mile away obvious speak crap like get made first place love show hate spitting face apple making impossible us buy show fine sell exclude potential use apple illegal make difficult nice law abiding like pay dumb even though show u soldier serving overseas big apple battle concerning figured big deal would get yea brand loyal go buy find still cut world due bunch apparently watch even though u citizen overseas thinking losing bunch money sure bunch pansy opinion come lighten give business back get combat zone sorry going get business horrible service come discount subscription entire season utterly ridiculous office great show intend miss episode wait come going charge almost double season hard copy season thinking wrong really think follow start watching big deal house turn whatever get follow wherever bad move bad bad bad move office first great show got bad network thanks though got enough money make another season well greedy taking office away making u cant use ur without converter hard use people arent good going kill show might reason want damn strike doesnt kill show first great show star well decided reject us mac think almost bought like add universal list shoddy complete disdain anyone say antitrust lawsuit sorry complete hypocrisy inward logic know might despise take adolescent hatred us ordinary guess people find legitimate ways win resolve cheating computer today least let spend money guess loss though miss least though watch believe totally whole mac market bad idea unbox never try use never video eager purchase season four office would allow purchase without stupid want way could find purchase product going write tell sell product much user friendly quality product without coerce providing personal information also regular book customer turned experience going purchase charge wasted time tell lost loyal customer someone one system inherently better another wow bought episode office yeah whole media storage system fine problem yeah maybe would nice see list compatible portable see compatible show bought kicker watching computer screen color like combination someone white balance camera negative film even watch thing never buy video inherent proven winner please punish mac due make mac compatible get business automatically excluding possible business show feel bought last find watch convert watch portable player even though bases overseas considered soil base according player considered overseas nice know apple never gave problem way support boost morale spending money even sell bad thing people hurt office instrumental show finding audience making past first season well unbox going generate kind revenue preposterously restrictive thus less revenue office cancellation occur sooner thanks go f guess alone one lost another customer use unbox disappointment want buy seller set shipped directly china quality pathetic missing even play disk different list goes skip came pink plastic nothing properly know season disk disappointing pay little extra buy better seller forget video stuff go section buy way better deal better quality play whatever device want want cut mac crowd entirely show support buy mac get shaft never let guess money good take money somewhere else never received item sent product address ago never received response echo half people saying get apple getting shut selling new office something wrong agreeing sell wrong still watched despite thus still getting ad revenue big mistake bad karma star unbox service slow slow time around forty minute show completely unacceptable find another thank bought got response seller already season quite annoying hello ignore mac success hello mac invention short sighted think public first place machine think come beware extremely disappointed unbox available u problem sure solve like apple guess global company yet apple digital consumer pain issuing service would wager huge percentage people likely pay convenience looking mac seriously reconsider product lost mail seller backup product stock never received shipment received prompt refund think garbage pay show free watch issue show love mac watch going buy episode watch get get watch live lower guess start bit torrent argument mac quit invalid mac apple trying make monopolistic type ego trip statement watch show review many people watch content mobile possible aware unbox seriously think unseat given one star five star due lack support way people want play finally way rate unbox service aware voicing content really ticking people loyal worth ge secretly buy get responsive rest business well opinion ruin perception think competition healthy competition unbox come close bought season powerless episode computer episode completely different show done everything could try fix seem get show properly yeah watch unbox episode seem severely fragmented make computer run really slow delete think done unbox wait show mac incompatibility issue love show us use mac unfortunate enough old guess mac user huh place supposed mac brag easy never get virus yet constantly complain lack party support anyway love see synopsis episode available rent could catch great show problem load load format sense hopefully someone wake realize paying product let put ever want read work mac suppose watch watched commute non service work people like rate service show star later name episode rough estimate finish much found put new shiny touch worst service ever would like buy unfortunately made impossible inherent oh well thanks nothing upset find cannot get season spent big g last summer spent id like spend little continue getting show cannot spend time sitting front watch spent big device watch wile get done around house night tired work time limited way money reason universal format stupid get people mad illegal marketing get free spendable dollar shrinking fast food gas insurance time high wake get sense given wrong episode wrong series also find way contact exactly fit return category worried try want waste another two guessing marketing ploy like switch time different series get new well work two episode keep even right series like state love show several little month ago long unboxed service around big watch utterly ridiculous oh well great show favorite fact rating show service rating point go buy least get special available like original un pilot point put whatever may get clue driving away someone remind million video least million mac could episode second watched computer would even industry leading mind many people like slap face audience show great never buy love crap cant like cant play dont time sit front computer watch streaming whatever would gladly pay whatever easily dont care long play sure pointless listening something really starting hate right plus people would normally give money steal anyway doesnt make sense love show shame get fact lot work player system get go great show put bother hey make media player market breaking store best poor decision wait set even better wait come sign new deal predict love series find way get system guess support guess need support buy worth merchandise per year find somewhere else spend money hope many awful received show many mac upset doesnt even work right forever one episode watching even worse constant even understand kept skipping took hour watch minute episode skip try least see happening really idea shame usually pretty good really hit time low one wont anything known good thing one best ever wow direct receiver disappointed video easy way view week thought buy first episode option great wait luck direct heck figure something pay episode couple ability view ability watch travel guess settle season wrong let along wrong show demanding money back love deal world need episode would bought could would love rent movie run mac would given could bought whole first season buy content mac please find way let apple buy show bought last store forcing find episode saw play mac bad get clue reference show fact get last nights show instead got last night episode life question life get episode write site anywhere else love show disregard customer driven us business remember self wound type corporate think got right idea providing high quality portable viewer given dominance like total disrespect live get least mighty dollar make viewer mac use really stupid small minded format go device want saw review fault allow well protection go anywhere least let put cause great see many people voicing mac infighting studio realize number sensible reason understand organization strong provide mac compatibility intervene apple squabble come mediate mess please used loyal fan agree previous concerning feud led everyone believe left double per episode among low behold available price trying fool got hurt like spoiled little brat took ball went home grow worth lost revenue something personal apple see next period selling digital video play computer portable device sadly device many people loose half deal think half rate locked computer let get straight unhappy price per show move charge show like show watch like time soon buy unbox content wise go back apple apple compatible never know good thanks received second mac kindle love come get serious mac superior kindle reader mac go back need make compatible mac stay top watch video apple point highly longer expect buy one compatible absurd know change made bad business get real writing longer buy show willing pay simply fact able charge per episode bundle going way see case tell think service citizen living love find cannot able watch watched burned luck least let first love show brilliant every way imaginable apologize low rating make point must absurdly irony lost first season chose nasty shed forcing clean disc thoroughly time watch even hold rolled around free get chosen cheap plastic scratches repeat case scratches call old fashioned think case protect disc damage damage disc company making attempt force show succeed ways show see little point round plastic good little may attack house yes reference besides fact already supposed environmentally conscious case meant disposal think case kind important protecting disc plan throwing disc right buy coffee cup company needs stop worrying making green start worrying making good whatever reason decided go absolute worst ever seen bargain bin come better every single one fallen plastic grommet point would skip would even stop half way completely unacceptable highly recommend skip buy digital absolutely love show completely addicted plot quirkiness whole show however quality bad first season scambling going thought must unusual order lots let go finally ready watch season discovered set even buy watch right away return discover even better buy somewhere return easily shame selling quality repeatedly problem previous review hope someone already ordered season going check return hope late series badly need scientific staff since whole theme show supposedly centered science would nice version made kind sense instead seem reach air pull scientific catch tie bow around call science fiction example one episode scientist develop cell regeneration technology accidentally alien artifact gene run rampant brain control healing coincidentally making look like cellular regeneration eventually perform telekinesis huh give two appealing decent acting nice scientific bent series annoy great series bad garbage recall product issue everyone new set due damage receive poorly made going comment quality show watched season yet first easy set friendly fine right severely damages disc set already upon first opening short allow remove disc without bending disc severely also grip way tight believe delamination bending also delamination look notice couple poor set far worst collector assume educated proper care storage like may know effects horrendous take buy rent instead watched long quit would become way kept getting worse would recommend shot highway supposed make want watch show chronic boob tube consumer never show read blurb curious enough look preview remotely interesting given clue show pay watch episode mood watch something new going pay something know nothing stupid stupidity really four set two play bose system watch different player hassle good quality show great love great acting great wait new season well seen show good really see good writing see stayed film acting television really nothing premise story woman course self destruction eventually line given second chance turn life around ahead except line running person angel would ask god second chance ask god second chance given second chance accident never anyway done mere would flam con job oh wait done simple detective police story would probably work get sense grace kind path self destruction least many many cop plot device angel serve little purpose oh wait god purpose know god works mysterious ways fine dandy god world series make sense angel unfurl every episode use special effects budget low gave two passable cop show whole premise show play almost like show gritty southern gal cop go hook hook thing different southern gal cop show well guess could make talk angel great go idea lost interest first disc show th episode drop comment review maybe try convince give grace second chance really like show love holly simply cannot get angel absolutely writing heck stopped watching middle episode could take bother never got item still know went rick watch holly work actress get past second episode hard drinking rough talking cigarette smoking bed cop ugly tobacco angel earl lead back god many willing accept unwilling watch phony top bottom side side know like sort nonsense wife get daughter daughter lots wife though might like see series never load took f forever catch show good stuff joke wish money back better worth better b worth unbox worst tyranny earth known would impossible burn digital never would buy stuck watching meant box trash unbox yeah right gave item one star meant show give five half however item bought item item pictured page item page nice little cardboard fold container container durable convenient aesthetically pleasing simple plastic cheap clamshell container really item description might decided buy item anyway really necessary feel buy item unless like buy unexpectedly cheap clamshell rental store oddly printed paper flimsy plastic deceit case cracked disappointed gift time return new one shipped love show got scratches keep freezing middle movie episode smart try play way watch ordered item got one thin plastic instead hard case think someone sold version version wish could still return happy understood listing case fine one two play people enjoy show proof society become gift someone enjoy nonsense beyond intelligence fell asleep movie know plot memorable would mot film one expect special effects memorable low budget flick one acting one character whole movie believable endearing intriguing even attractive went beyond facial running chase like watching people except except movie course perhaps could saved great plot plot weak good acting create sense eerie tension completely main around like couple weight concern viewer whether might accidentally run wall knock usually bother movie like thought maybe might find warning useful waste money quality video poor instructional video watching people someone video also poor quality hand video make sea sick find better instruction free concise video native build shelter care less environmental good process build usable shelter video could organized better survival building shelter opposed pushing could disagree reviewer entire film totally predictable series seen thousand times put one movie first hour excruciatingly boring lead character besides hideous man scene scene seemingly reason queen every respect whole scenario obvious role thing another film un family raised thing seen times melodramatic almost laughable several fact problem normal see reviewer said finally something decent must decent extremely boring guess stupid would love tutorial worth dont want bash person going say one thing everyone know thermal made pick energy display different colors different guy resolution important thing camera wrong important thing quality camera sensitivity sensitivity different energy temp camera doesnt pick higher number sensitivity less pick smaller number better good anything good great pick resolution like sitting wall clear camera instead fuzzy took pic resolution higher number better saying resolution important saying important sensitivity important say video suck going know buy may learn anything make sure research product stock one person say leading maker people taught trained push great thermal camera fluke compare spec one decide right dont let factor dont need use look specs pay sensitivity resolution computer program important also fox home movie hard hearing hearing sub release disappointed give item star movie would given movie probably lack would bought lot warner also would buy lot th century fox series way think lot people missing good otherwise would bought way clear giving star hope see give us could expensive price bare boned r expensive enough must lot necessary know written already several times hope pay attention think would sell expensive r first review write angry th century fox little respect product history great studio artistry people involved issue film sound picture slightly synchronization slight state throughout entire picture almost enjoyment unlike another reviewer find film slow moving boring point thought supreme example golden age film making best glamorous sympathetic rich array character whose much sumptuous production design napoleon viceroy unique fascinating story line read somewhere million spent production complaint concern splendid film careless inferior transfer technical knowledge would thought particularly onerous task ensure picture sound synchronization conclude th century fox home entertainment care less archive series happy put anything market place make money insult worked film also recently another film archive series river film sound track loud unknown origin sometimes background speaking another disgraceful performance fox shall know better next time one fox title streaming yet instead nice looking transfer source release obviously used old outdated video master lying around picture quality quite bit video noise image bad better still want could worse look tolerable smaller television onto large screen bit strain please see previous review gave review three monk realize would require individual review skip even watch first episode bought gift information said new product case happy version received would play player return got another play well told player problem play issue set get full refund return favor save money dont buy although great entire series run one attractive box set done care recent fiasco case two inexpensive one one gift situation booklet missing one set series guide missing set monk defective detective booklet missing two one set sent universal yeah dream received anything yet absolutely love show pretty excited see complete series sale made purchase shrink wrapped new however set include season instead got two season huh order maybe shell money limited edition box set order sent like used shrink wrapped sold new plastic box inside fold like could moisture dirty dusty marked side exterior season interior broken especially season unfamiliar old cartoon man nearsighted see lot properly got result monk roughly idea mental condition somehow able ordinary cannot great detective unfortunately gimmick work random weird ways everyone take stride supposedly also ability see figure ordinary people miss nothing ordinary competent police detective program funny happen often get point ridiculousness like gimmick show two three get first disc play second disc cracked blame seller still shrink wrapped received rather cheapness process disappointing cleverly written show better jeff lewis another bravo unconscious retarded mean cruel superficial scheming mean little horrid twisted mouth stay away junk love show would bought option find got nothing cool providing option crazy us want watch video computer would bought guess buy something else much house fixing selling man involvement crazy thought show like drama actual home cup tea quote dismiss rather stick watching top model show worse rock love reason giving point take strategy away show nothing watch figured watch show see interesting first look episode free waste time basically take group pathetic men could ever meet get self expert pick artist help build self esteem ability meet guy good first look episode short say tell watching able tell better seem full really onto lot accurate basic common sense anyone ability observe read basic book human psychology sexuality body language able figure group prospective pick pathetic pathetic seriously put anyone front give guidance would come ahead starting rock bottom much stretch goal one step advice die overall success life general might better spending amount time low come nice think may able get show someday something like breeding care raising chia rented mistake pick artist please saw series hulu course much decided buy item material hulu shown version sure one series becomes contradictory prior least somewhat entertaining boring side plain stupid male typical production gorgeous tough smart superhuman beating weak brainless inferior male wow original oh yea cheesy production season complicated epic reality matter irony inhuman race dark telling humanity fit survive time helping priceless intrigue within human community interesting mix west wing wise guy usual fi pseudo thrown almost glad busy see series came sorry downgrade review since web page format instant computer use play instant nook mint rate never renew prime membership content video may good video longer play love post review whatever like telling us sure clever insightful hopeful fan wish along revealing behind might drop word two status well love see unfortunately minute video got even though waiting see day less love show support expand new especially considering broadcast delay however technology concept consider episode viable back stone bear care version first boomer made men get wrong fighter main practically every episode sexual intrigue jealousy sleeping week secondly use instead guess save money special effects third society advanced culture still people smoking even cancer society advanced least advanced earth would addiction smoking almost every actor drinker smoker suspect tobacco alcohol beverage probably table smoke series also would cancer almost every disease like medicine love got go idea many people got tired waiting vista see ordered mac immediately back guess could always fire fusion use unbox say mac compatible season three drag kept next episode next disc would wake end gave plugged season one series relief also remember damn thing hope season four back course speak season three left longing series frightening might sound series remake took story line freedom best side mankind made another soap opera positive show ground breaking best show television whatever caricature fi show basically soap opera space even covered soap opera digest far gone realm behave non plot issue ever resolved time anyone getting along fight reason keep everyone time routinely contradict every single best fighter pilot ever best sniper ever best hand hand fighter ever time travel love one find earth man show would give right arm sleep great painter nothing comes episode guy point fire arm commanding officer mutiny refuse direct demand way later everyone forgotten next week guy something want something lead disaster main left show writing maybe revealed kind wonder continue war humanity every single human leader guess show meant insult much common desperate dirt x original star star trek fi show think fine want market kind show say series pretty good first season bad season show went big time season complete joke favor ever get unless love lots pointless screaming soft core sex stop start random times item great got correct new season one case new product great season watch decided would create red hot molten morality spewing conundrum simply dodge spoiler red alert given chance wipe weapon mother queasy thinking interminable struggle survival might come abrupt halt got back wall nuclear hammer rock hard place fan hit space bath water gotten thrown baby destruction agenda captive population soul train rolling soul promising never use peculiar encephalitis wipe ever really much trouble would capture single infect execute resurrection series finale borg another watch story later going genocide cybernetic foe borg apparently writer much blunder plot never explicit really ignore existential farce genocide debate review comes long initial airing saw first time seen worse recommend season first season consider part season story line great season mark large margin finished forcing watch season first two believe show season speechless waste time character development woven first two warranted short better fill certain way waste season whole farce story around man original attack president walk free personally put since episode season finally get butt trial let walk letdown maddening wasted time understand season back track thank god bottom line except freeing new rest season worth watching background marriage character background boiled first two entire season oh let season enemy goes away focus labor turned number smoking series bit warning care health science fiction series smoking would totally unnecessary public lack subject producer show unfortunately impossible recommend otherwise excellent series letter studio general may time member film industry another movie smoking full knowledge harm bring watch think seen since th grade goodness grown father tell tried watch whole thing get frat like need fi fi sports illustrative swimsuit issue story line need spice better writing anyhow glad one free used like old series one boring seen poor acting poor story line even special effects episode could star refreshing break ever present threat however lee insufferable twit character serve basis majority side plot turned main plot annoying make pace frequency jarring pointless fact character driven point inanity telling affect series plot episode nothing drama right said drama series deserved better awful mess really season however waste time barely story along instead pointless smoking maybe two even worth watching point sure even bother season waste time pass season fallen asleep times show keep waiting get better good find bore military science fiction show though science nonsense second season political drama third season soap opera cheating sex many nearly nude hunks dream imaginary assume decided abandon original mostly action appeal soap opera loving note genre declined throughout second season declined rapidly third season show season season season fan first two recommend rent season three see initial series first two although second half second season first four third season new story arc second season also good series fell apart amount action sharply whole going without sign instead soap opera involved exploring emotional state one endless emotional lots lots crying laura lee laura plot series hardly advanced could skip episode four last episode little three executive ran whatever handed complete universal budget cut special effects kept bare minimum decided refocus series appeal new read think correct theory good series could first two leaving little fall back season three objective might considered intersection people action fi first two people soap opera third season probably null set unfortunately first fourth season anything worse third season best hope finale waiting last rest season much drinking one would able make sane sober decision would want life season ended great see first episode season feal let season good precipice exodus part measure salvation eye rapture good even last episode disappointing get wrong great ending episode crap unless bought season buy one crap big science fiction fan love concept special effects show time got season got depressing watching people one horrible thing another happen hope would ever get better stop watching watching series run close greatly season season although low also excellent contrast season assortment low occasional great scene episode agree noted drama throughout season felt overwrought biggest issue opinion confidently say plan drawn seemingly fill time transform frightening nonsensical compelling badly uninteresting downright annoying entertaining high season begin make end season year want know going end last season stop end season two life better watch season go past rapture sake find final five really stupid hell first two edgy dark gritty season well quickly worst kind maudlin lip biting soap opera imagine think thank god humiliation seeing season hard see show extremely disappointed quality recording picture grainy several would play one end would progress frame frame new product dirty one even oily suspect set cheap knock garage truly first two truly awesome military fi show insane great plot good acting great end season two less action crying lots crying lots drama lots forgetting entire purpose show season three ended lust truly cant take whiny brat could care less romantic false bravado entire went nary mention honest best thing show lost focus course appeal dramatic shelving fi terrible mistake fear season three say frack amazing thing going fan long time greatly disappointed direction took ability perform great awesome graphics show proven writing took trash great potential far spirit bad maybe next season raise dead new anyone love fi man anything mess headline people mean thing like old fish waste time watching garbage bother product first two razor great season disjointed boring first much lee initially favorite character lee move second came great story example discrimination uniqueness culture labor desperate people mining farming great seem social sensibility need couple sort story arc third think viewer learn writer show viewer may care none men hot great couple fact four still gay people hot ship feel know excuse worked rated woman cast exclusion odds clearly intelligent progressive self fourth personally thought trial dragged lee high profile trial foolish hogan gave worthy laura let loose season huge let show gave us torture stolen turned soap opera hot naked man waste money something sordid history video quality motivation writing review let know quality product opposed quality show fan going want buy already know exactly getting money brief history release digital quality copy source material far perfect though suffering excessive grain every shot release box much better visual experience show shot much better source material set fantastic season release lot promise logical show shot native format sadly version season worse standard counterpart version excessive grain low contrast lack delineation fine detail dark blown color palate release even worse universal fair share familiar hit miss quality disc anxiety picked set sadly borne season one worst available onto dual layer would appear provide ample space high video commentary subtitle unfortunately video quality beyond sub par biggest complaint rampant grain almost every single scene record every episode set although yet work way know people thinking grain guy film grain well film get used well lit look great scene worse detail since much show place dimly lit various deficiency particularly hard version season definitely step standard broadcast seen fi universal going feel bit around average sec comparison box hover around sec math time check roughly half quality picky quantifiable difference video quality release box main difference far human eye concerned lose much fine detail inherent source material look virtually scene aboard see mean interior design filled clean deep none comes release first convinced could really bad figured maybe suffering p courtesy turned even p look every bit awful feared bottom line visually disappointing presentation otherwise visually stunning show included set extended cut episode unfinished business web content billed special feature change anything major throughout season would appear largely cut time extended episode easily best bonus feature like really getting something extra whereas material could without far bonus every bit cheap sounding one might imagine sound lack thoughtful introspection accustomed hearing commentary produced air run episode two proper commentary included set one would expect completely video since interest former already seen latter fan quality video spend time watching big beef release pack lot special expense main attraction yes like special good use valuable storage space quality video bottom line like want brush season season really best option unless video quality set superior standard broadcast beyond much said quality gifted patience would suggest waiting ray release given quality first release though still hold fair amount skepticism end two simply like show sex plot care sex life spend way much time showing would make story journey fight would improve series brought fighting bring back time work together save fleet would focus instead could really bring show back like going tank stop useless sex real story stealth craft great gave edge stopped watching show getting boring sorry wonderful job however graphics beautiful photography terrific performance season three ordered new item un wrapping plastic item used disc package work want hassle waiting exchange please make sure carefully read shipping interesting topic annoying music lot got ahead trying tobe original going different conscious talent pull formula made best show television season worth save read one best television seen long time season equally gripping high cinematic excellence season tremendous disappointment letdown wife longer watch become soap opera exit launch times character development one thing completely face show moving away action season killer get show season simple premise added complexity season took premise expanded upon war single thread little little information seemingly turning tide war fact two seven samurai type series intelligence tactics strategy personal subtlety turn tide war two season boy really concept show almost everything made show great aside pointless religious stand alone go nowhere know boomer central figure human one brought whole humanity question involved well basically said kind know show barely enemy us see small giving enough whet well whole revolve around bunch babbling know worked really hard destroy enemy entire battleship take two well guess like sacrifice absolutely pointless another insult know show conventional well first pretty much shoot em action last two trial sticking stereotypical boringness emotional compelling dialogue witness stand know like every courtroom drama know fought long hard become president well memory suppose forget actually becomes president minute oh power hungry later season intelligence worst thing two virus true jump shark territory know show throw little morality well got really full thought could throw immensely stupid moral basically easily win war virus end well say intellect want conveniently forget involved genocide e g resurrection ship almost afterwards involve genocide e g especially season destruction resurrection hub suddenly two genocide bad lazy writing really many completely wasted another want continue saga whole show doctor intentionally random people one planet bed two female season bad took great show exception half hour good informational material entire season could actual would better would definitely concur fine review season three overall yes sure escape new episode killer eye arc middle season plenty plenty throwaway throughout woman king especially bad perhaps worse lot poorly written season comes especially mind absolutely wonderful much becomes self centered brat lack better term romantic drama quadrangle significant strangely annoying poignant heartbreaking another season ball heck even whole new arc early one lost opportunity another fantastic escape episode aside tried hard make allegory rather message grow organically situation heavy handed obvious strangely low tech appear better way keep nowadays seem realistic honestly big show trial end also flat bother discerning much character incredibly ridiculous suddenly going first rate lawyer legal team fair season three though first time engaged sort silliness doubled swat team sniper example apparently one big three must involved major action matter one envisage doc away patient major surgery scene suddenly elite brain surgery draw flack less discerning saying know really skip safely really missing much better though much better might like indispensable new remains series majority late season clinker showing sacrifice black market go episode episode quality inevitably enough time make every episode special quote regarding issue much right said new remains one favorite low wish good times could bit longer think made clear public documentary cute little home video would minded paying one two see price home video even audio commentary sort bit much cute home video though pleasant watch make sure want see though people video intent seeing something paranormal forget use brain want debate caught video give call think wasted time watching video season humorless tommy guy guy show become chick soap opera none humor perspective first fire anger completely gone series even sub character flat go nowhere know first epic television th season rescue season sound episode episode impossible fairly rate series since rescue removed prime account watching season episode back fee removed also informed customer rep could get refund prime account could refund poor solution say least first season sharp funny serious outlandish time second season bit uneven still quite well done appear third season uneven plot arc arc th season would put back right track well train went season huge disappointment edgy comedy soap opera hi jinks writing come high school drama class times sad see promising show hit excellence first three season four really disappointing sense realism act character plot seem previous whole thing bit tired desperate often case manage stop winning unless die hard fan series save money buy season become tommy show hardly focus great one long boring scene g another first great momentum like cast background tommy show season terrible tommy become sex magnet every woman comes across even building fire death staring face nope time sexy scene side become twisted poorly written previous wife contradict everything mean honestly story make sense context along daughter also brain dead confused main sub character acting like human rather weird extreme version previous mixed super bad written would assume confused horny year old doesnt connection real people also really drunk everything season awful show ashamed worthless garbage television fell love show saw pilot since seen continued watch patiently waiting fourth season well disappointed fourth season nearly interesting creativity emotional still upbeat one depressing much work nothing waste money movie sense less convinced positive written three associated writing acting actually would much two spent trying see farce would go anywhere mean anywhere good unwatchable tried twice watch get past first hour yeah good movie good old paying looking something hot sexy keep looking lot better low budget documentary pretty cool visual effects overdone got hard watch video clips layered one another got monotonous closed times documentary would much better overdone student made film dressed like boxing announcer looking forward watching video bad actually serve interesting idea good hour irritating music good dancing good sexy atmosphere say spent product time spent watching part waste lesson science entertaining exhibition visual narcissism people made video important show unimportant educate amuse audience earth point mechanical geisha spooky male voice silly amusing tell us much science would suggest reading one much educational entertaining mean spirited comedian card every bit nasty towards people whose differ series pretty much run course hard even stay awake find like little bit first true colors envy green surface even forties young chick block oh tell even younger chick steal limelight sickening obsessive hatred turns stomach never grew leader bullying high school clique made fun plain overweight sport old drone house husband side get orgasmic bad news broke unemployed child support gorgeous house maybe marital turn away see seething happiness hatred twisting aging face saying slade missing party home pure trailer trash way really know cheap overdone peroxide see waiting tables truck one woman devoid class pathetic public affection toothy new boy toy really watching lucky ex husband least fun devoid hatred full guy date last female earth new gal show peggy friend poor girl husband show swore guy woman couple husband buy head look think well maybe right eat something peggy looking bit like like devotion marriage family wish good luck classy gal gnarly old could learn something bravo could please make show little interesting season boring waste good legal procedural drama like law example soap opera stopped watching toward end season plot little episode really nothing stretch many script long series short human mostly simply walk drama like one first episode series two become irrefutably apparent screenwriter never set foot inside courtroom really lawyer high school could make cut within first damages hit every single lawyer cliche ever put fiction one even remotely reality glen close example way potential million settlement million one minute span overdone ruse jury coming blah blah blah possible exception rose every actor cutter two dimensional living pseudo exciting life adventure damages legal fiction crime mystery believe legal system series tailor made hand prefer keep morning time slot look elsewhere intelligent entertainment quite show think good lot much average brain getting faster getting series boring formulaic implausible assume every character otherwise sense call tantamount wrote death masterpiece substance along damages plain silly apt comparison good though suspect consistent reasonable probably less empty best show plot weak far fetched try legal first like boston legal world want live driven people measure power wealth manipulation deception realm existence would tolerable humor along simple humanity noticeably absent pun intended close cigar worder show last even make entire season make much sense work two loaded disc player said disc tried three player said thing three please help check player worked fine main character weak female lawyer easily top zealous job suppose call damages damages done main character show longer law show rather drama person terrible show weak hackneyed third rate mystery fiction cannot make work even close resemblance reality series high role lifetime close simply superb hand second lead rose pretty bad really actress fault really miscast hard nosed young lawyer type continuity poor back forth present past poorly done left unable track progression plot worst legal drama ever seen boring acting bad plot nasty pure trash treat way thoroughly enjoyable please trash acting good show little work dialogue one thought kept along series must written edgy romance shame close impressive wasted perhaps annoying element big mystery season constantly sixth episode really care interest show gone assumed big secret would annoying rest show watched though like close done past found series difficult follow subject content taste really thought going like show hooked watching pilot episode time went however got later nonsense given opportunity understand happening simply along ride like given credit viewer led around totally haphazard organization story arc first season broken mixed around random put back together fumble viewer halfway season walk away whole thing time see story resolved interesting story interesting watching whole season make sense showing pilot episode really know going worth trudge whole season end still mixed finally got understand story ultimately think worth time glen close ted great kept show afloat story felt dragged maybe could resolved much sooner maybe frustration anachronistic structure talking tried watch first episode season soon saw pop screen knew done damages grew weary lack interest many many suspension disbelief burden care suspend first knew would full bad language want listen quit showing us poor dude bathtub get dead bunch flat unbelievable take long flat unbelievable yet predictable episode episode four done attention galore luckily seldom show brilliantly boring one four torturous seemingly decided watch last episode fitted like glove spite skipping show ending made perfect sense almost everything unfolded probably worked watched pilot whole thing could done instead watching quite entertaining actually hence two instead one entire production become completely revealed series manipulation composition old proven endless catalogue slasher movie like stupid behaviour let escape basement cause way main sister tape brother person afraid thus causing death embracing dead bloody thus becoming major suspect unstoppable trust demon evil boss almost causing death main witness female partner witness home though nearly assassination clearly enough money go everywhere leaves partner cheque surprise run street also completely improbable like one hour cleaning evil boss corpse apartment police police nowadays needs visible half watch going pat see pad course nobody unusual going yeah right series show secretly going behind surface brilliantly directed instead damages us often blundering evil true course certainly show intention found also annoying predictable character surgeon really course main character needs season two revenge poor young man dead twist story complete season pilot actual series begun theme clever rightly angry girl double life working two evil boss state might great thus season two promising suppose however watching first last episode season suffice like interesting show language still old fashion believing great without strong language get story line slowly good felt like story pick season hard follow going one month two damages gritty intelligent legal drama high profile close ted case show case tone deathly serious many sepia toned future main character cutthroat lawyer patty covered blood police station show goes additional revealed future little episode take grave significance light grisly scenario happen even though patty top lawyer town opposing parallel would scary know someone dumb enough actually trust everyone secret agenda something sinister always work incompetent writing take make silly secret turn hidden everyone throughout numerous half hearted information seem reveal information concealed sake concealed used interesting way point simply winking audience yes seem without revealing whit anything crafty calculating cunning order key kill dogs without moment hesitation one established irredeemably vile first episode gleefully latter action sympathy lost corrupt like saint comparison second episode character getting seriously relationship rich spoiled son stress even bad people human audience care particular relatively tame nothing typical family absurd note third episode son back bad parent else grenade close performance leaves much desired patty yet really little room one dimensional character key office reason personal tact gossipy lunch lady trusting anyone many convoluted web ruthless detective shield would blush rule tell show characterization pretty standard fare family concern becoming vicious patty name easily become good drinking game pass time rose really personality speak mention audience never vital supposed corruption humor actual life show wooden plotted show seem painfully awkward like randomly otherwise acceptable episode mary joe cocker first episode turned patty interview attend sister wedding patty actually goes wedding talk well maid honor job interview right strangeness inherent intrusive interaction eventually plotting nothing intricately concerning legal end haphazard randomly begin think backup plan nothing setting call duty class case went awry present future seem increasingly obnoxious absolutely rotten make responsible behind easily enough guess added correspond episode even totally new needlessly distract moment notice past make forget focus obviously evil left nothing pile wooden meant act throughout plot without life story make thing memorable damages rightly dressing adult clothes unskilled writer awkwardness outright bad plotting would apparent would however warm sincerity writer voice actively showing immaturity honestly saying say bad storytelling damned whole thing bloody dark boring gray sake gray painfully obvious want impress adult audience believe writing adult audience virtue complicated plot murder without semblance entertaining whole structure airtight reclusive feel childish watch close role legal patty really room flexibility besides cannot lack effort acting judge basically patty give take character prominent close acting fitting damages would completely different show without sure yet call acting good everything else b movie worthy maybe another lawyer show seriously horrible casting horrible dead ability dragged waste time r rating language vulgar plot dark fast last plot dragged many featured die e g ray think got star giving us chance see close ted perform guess minority like series two serious first flaw main patty like many today television movie neither character right neither inner conflict question therefore seen many many times third major character one dimensional interesting seem sense right wrong finally none interesting past us second flaw plot also cliche reason keep fast forwarding big event sign strong enough hold interest often corporate greed corruption ask whatever television series like combat fugitive strive right thing therefore root perhaps damages sad sign times personally like watch series change thank goodness rented disk one episode wife could tolerate like spending time whole bunch uniformly despicable maybe like close total b tch complete hole anyone care found first episode unbelievable manipulative bogus obviously minority among rent buy gave half way second episode watching made feel dirty main character despicable care character either loathsome would want people living room spoiler alert cringe kill animal make plot device also sub many murky whole way series writing also dumb whole thing ted character meet broker x day place sell order never new fangled invention disposable cell phone character might sell order good story however told disjointed format difficult follow every story goes director need take class story telling second complaint several dark viewer unable tell going one scene person dark house calling name going room room normal person would simply turn part creative license maybe license revoke close rest cast excellent collective object story format fine acting show bit dry plot predictable acting good would main depressing people get ahead lying cheating hurting definitely wrong send watching know reason gotten far wait supposed brilliant yet brilliance incredibly naive main character supposed legal mind trouble whats lunch way could make law school law order interesting annoying obvious manipulation really top like watching bunch th grade flattery golly patty really friend something watch really see show could confuse anyone need write anything writing last time writing depressing entire time yes suspenseful great cast silver lining even joke show much blood killing like fact show always going back past confusion times watching great legal show random future past clips episode seem little patty world song basically anything left mean evil working good class action first season give chance check season see room redemption one flavorless rolling series belt baked meanness heartlessness underlying despair centerpiece cardboard cutout strong woman defined female cutting men jaw money centerpiece surrounded uninteresting people spend time talking uninteresting people billionaire always look sleek shark pudgy passion obsessive superstition green video quality quite poor season someone encode properly digital playback picture becomes fragmented filled motion fast screen want know bought first season demand returned good news season correctly beautifully would encode season would buy hint hint really care cast supposed beach series cast lot spoiled arrogant people seem nothing sleep go beach spend money flaunt rich oh yes school said little introduction thing forever always lived loyal solid end preview clips upcoming season seem someone see think one think combined entire cast show one criticize hollow vapid zero ambition life yes guess blame facilitate type behavior think would rather wake next day extracted watch minute forked tongue pig swill providing zero star rating selection movie rather recording play sound quality poor barely got first act liking stanhope act make prude know comedy laugh abortion drug religion joke actual joke funny stated less ranting without point could dice clay unfunny cousin first time watching comedian definitely last rather respectable material guy love shock repulsive suffering fool little talent trick thinking acceptable find nothing resentment wasted life funny unless suffer similar miserable wish could get refund hardly funny uneventful poorly humor goes even funny opinionated obvious audience make seem like funny like power point presentation video almost footage guy sitting talking video preview deceiving footage get shown narrator talking stock state information state land available nothing find quick search let save trouble need state land sale state university land management mental health trust land office advice video making living bush consider home based business video extreme thing horrible would even mad checked video library free least thought even lot information already know would least lot good footage modern advice found like move way better spend please waste money already done total waste go watch free informative cover framing use known better purchase product trailer price low title knowing home video even radio shack plot fifth grader would laughing premise previously unknown star planet might collide sun leaving running around tact earth albeit dark speculate comes next almost saying anyways bother video lot information subject matter however new model c boring disc work said therefore able watch plot intriguing aspect ratio episode making watch personally upset product unopened received season however soon second disc put player work normal turn incomplete really upset ordered rant review think show entertaining well sick liberal propaganda show one majority white people know ever suspect someone meet description course new york city majority college whole life watched one first suspect black course first treat like average ghetto guy course innocent literature major time criminal white jerk sympathy criminal battered example subtle liberal deal cop small town upstate stereotypical good boy help local white get trouble show new york liberal made personally think duke lacrosse case would never gotten far show law order well superb cast course favorite really enjoy portrayal stabler positive set year eight quickly order negative disappointment rating two condition guess top surface less worn plus number disc barely visible seller listed fair condition best quality screen without still worth present condition live learn kept set want go hassle however cautious future making seller law order special unit eighth year show went idea every episode rape doesnt writer know special check written person might rape neurosis anyway show waste time aqua teen hunger force archer even x better use time personally wish would get like rest series nothing mac user bought top chef season bravo decided limit digital way access going exclusive availability offer standard us without operating system waiting despite connection take around watched episode discover key trip supermarket full altercation concerning probably missing explain paying incomplete episode making case respecting property us without access bravo please provide format compatible would gladly purchase tried unbox player via dual mac pro see annoying motion artifact unwatchable full screen get mac convert hard time would love purchase entire season last year selected nope mac bravo please go back wish gone gut reading another viewer air missing see show cable desperate girl finding video mysteriously cut fan find regular thing love show totally disappointed couple od always fun supermarket trip present season great reason one star would stop go system better result feed reminder one star goes problem law order season may still receive wait send review best offer new viewer top chef season quickly become favorite show love show cannot believe cannot watch first three anywhere mac user like would gladly purchase three always fan bravo situation turned network want watch rest season go back bravo put bravo needs patch apple would love top chef watch would make lot easier unbox video bought ago times still havent seen waste money use view instant want order stop killing cutting burning alive humanely well waiting version done time since done still nothing family wife teen love cooking enjoy chopped next food network star decided try top chef season big mistake trashy every word f bomb include overtly spicy bondage party simply show could much would star show without nonsense earth season yet best favorite season form find video demand hate rarely ever purchase find hulu free really watch episode top chef find elsewhere decided splurge fancy cent show boy terrible quality loading time absolutely terrible show half hour still play getting poor signal despite strong connection readily one along intermittently one would think version video would superior quality version clearly case waste money find faster loading higher quality free elsewhere first watching top chef season show way current season never seen first season always find anywhere finally getting purchase video demand extremely excited said frankly disgusted lack quality understand first ever top chef undeniably would probably like new disgust really quality season five clearly sub par later get feeling high intensity refinement season far episode think best representation quality show joke wife literally angry first forget season ever said top chef absolute favorite show season start season even seen know know watch even could find ever audio unbox entire series way low even volume turned barely hear dialogue mobile version file personal media player virtually useless video quality good really season several able finish season told great condition let see got right seventh year sixth year much superior original series even though original air twice many may law order sure justice season seven missing disc two thought new would better missing disc guess need order cross every disc included boo enjoying see trouble streaming keep getting error still working watching different see fast network figure issue love top chef wish first three also complete set streaming next best thing update streaming much better prime channel breeze computer fix streaming issue bring review needs leave need find new show watch cooking show right watch guess start cooking show maybe interest season expect see new find compilation shown disappointing want money back set daughter birthday watching disc set fine returned set received replacement replacement problem disc fine returned replacement refund went selected different movie birthday good people show thing going show little hot blonde thats actually someone else ago totally probably would never watch show like ever poor job done large season best season yet disappointed got find better really many bummer put together hurry wasted time show nothing biggest bummer music original name first second season great drama going almost real however third season boring get time even story think price set dont worth season inert function guilty pleasure almost literally nothing perfectly turned indistinguishable except hair color wander one generic l location another nominal personal glancing muffled never actual conflict clearly stiff like crime scene movie times vacuousness level eerie perfection passing amid long tedium scene scene tight milling around brightly lit discernible reason nothing much pornographic movie except someone gone cut sex far watched two kind boring already try watch looking promising bad return instant get past really boring much drama would think survivor much better remake came seen like big soaper promisingly acrid turner titled hubby one big theater name never make tiny smattering quite good maharani unfortunately chemistry b w turner burton evidently stand bad enough either sort fatal blow much screen time devoted cynical drunk college aged daughter original remake emphasize earthquake dam burst act havoc model work good blue screen muddy w annoying shimmery blue border yawn totally unsatisfactory bad returned immediately still waiting refund true version outlandish thing produced badly another country one favorite came yes alas tyrone power marvelous white film ahead time taken inner remote poetic place earthquake broken dam two unlikely love told backdrop verve elegance humor alas remake turner instead diamond hard mysterious loy instead cool brent beautiful burton instead beautiful tyrone power head cast humorless boring version nice beginning come life actress fern live wire given enough bad bad script turner beautiful story line slow even burton wearing turban save one ending exciting wash city people three new film weepy double feature could want late winter evening entertainment weepy little one genuine wool noir dangerous crossing coming taught crain spend honeymoon luxury liner new hubby carl problem hubby within boarding point never kindly ship doctor goodly number along way black widow less successful noir despite starry cast ginger van gene raft set celebrity driven world new york circa ambitious young author get ahead little avail someone halfway film whodunit main drawn sharply enough plot oddly exception somewhat past prime seem unfortunately bit seedy however daisy pick litter despite squarely weepy rather noir love triangle henry deftly directed otto one long line female making way pluck honor man world black white lot great atmospheric film noir also vintage mid century former cape resident ruth wife despite great laura whirlpool really weepy weepy double feature universal portrait black madame x starring turner produced sultan excess ross reality little relationship anyone else world rich near rich beautiful near beautiful lots jean small large operatic top portrait black noir albeit noir blazing color nothing low cheap detective know love turner kill ailing husband somebody dirty little secret bubbly dee pert crusty ray ever mysterious anna may wong weepy par little said madame x profound wow turner poor honest wife super rich evil mother law leaving baby might bad idea face later accused murder lawyer idea know simply making like may better good film example good one first bland soap opera completely dull improve aspect film indeed present director otto handling material incompetent screenplay focus direction except unlikeable picture role agreed appear complete contractual obligation fox problem one cannot understand would want stale cardboard agree reviewer said sex appeal despite nymphomaniac real life absolutely chemistry leading men also unflatteringly lot actually see freckled skin another problem question enamored nothing screenplay explain motivation attraction thus entire plot unbelievable impress one empathy sympathy good movie one root one could care less film turns mood atmospheric lighting dark film noir film worth look seen know almost definitely one film desire watch mink coat angst ridden henry whats name seen men torn two course sort artist withstand agony seen men car snow back snow snow tough going wearing mink coat end need police besotted whats name comfort torn think somewhere film cup tea sure scotch thank much film absolutely film noir boring silly give two simply cannot stand love thought could save nope daisy fairly straightforward telling love triangle except really love passion kind among three main suspense thus film noir sketchy cardboard find postwar world disillusionment civilized seem summon real passion true film noir sort bit lost seem exert energy kind either change make real commitment like clinically depressed lethargic true valiant effort give depth portrayal vain fighting lethally pedantic script wide eyed best even clothes given usual attention make watchable lift character flat film whimpering character development nothing daisy must disappointed subtext film psychological insight social insight another viewer stated plenty red script could child abuse parent increasing postwar knowledge psychological manipulation growing desire defined marital status known great pusher censor comes tough contemporary film sense simply going work day punch clock famous touch nowhere found bad real waste many daisy vehicle vehicle instead sort threadbare insipid whose weakness like character completely noncommittal nothing film director one great want see great film consider watching cardinal real gem film worth barely worth watching way pretty miraculous could escape looking unscathed ya think always look good wow attention really know film noir never watching film quite time likable henry dan cheater cheater way old henry character film anything ordered movie long story short ordered boy sorry great film bot one true film noir fan purchase one disappointed sell one wish could get refund first despite part usually excellent fox noir collection qualify noir stylistically content find atmospheric lighting location shooting seedy soap opera pretty poor one ring true primary problem utterly miscast zero sex appeal little chemistry either perhaps different younger actress story would seem believable pull none main likable one root time movie care bonus actually best part disk yes cast hard resist suggest rent one first library want good soap opera try pierce flamingo road queen bee film mediocre best huge fan waiting factor film deliver think much problem film wet noodle found waiting one unusual film disappointed let son watch calm day autistic could hear anything show much like would love back worth able hear video got see dirt road dirt road one go go little usable information glad spend definitely would recommend seem like would something video classroom unprofessional something one would see power point information could could watch half give fan large collection gay community usually judge two harshly exception fat man pretty trying get home lost bad acting mean really bad plot attempt acting come small community around reason people boots really want watch please put need altogether horrible experience waste money time rental price much waste time unless desperate something gay content avoid mess sure people got together make essentially home movie view duty avoid garbage watch free people made home movie quality passable know budget could careful sloppy wrote script actually made iota sense people feeling going waste almost half movie showing unnecessary stuff like friend rushing side really call rushing apartment building car sloppy edit house front gate driveway door completely unnecessary example likely worse movie ever seen going rent unintentional many would given goes low unbelievable even make movie story line video graphy acting set new low reason gave movie star way give negative dare say gag wooden stake video people whole movie main character ending people probably family kindly lent hold turn instructed script likely get cheesy chant like music background see moving hear music spoken undecipherable sense random first cornered market white movie show way figure story story guy really seen constant visible play camera professional would trying stake punk dressed girl turns friend snack another girl middle late portion cloaked star figure understandable idea male female purpose actually total count black cloak black character movie interview vampire city seen mean make one inflict people like horrid vacation thumbnail excellent write us tempting us description however spent money video want watch great vampire movie look elsewhere give time star plus negative final total negative waste money time one vampire seen thing two ray thought give movie try see pat priest fame movie although movie supposedly money maker see attraction beginning nauseous supporting character questionable scientist research offense value went movie seemingly developmentally disabled young man becomes unwittingly experiment one might expect terribly believable especially good doctor wife pat talk mean would sweet girl perhaps entire premise movie go top clearly seen enough two headed gone wrong appreciate one view risk season one practice waiting season two never come would love season two resent purchase please put still make money jo jo practice one favorite lot said program break certain likable necessarily attractive even times good intelligence like show lot said would love know whose idea offer partial particular program enough show missing moment cause one give pause purchase know fault copyright owner huge mistake offer incomplete program much less best show available moment blame anyone came site looking favorite program finding partial season decided go peer peer network bad form unknown reason question unavailable music fine money make angry place going make money driving somewhere else bad business practice love project runway love like either boring mean seem come talent good taste high school clique unwarranted superior seem though anyone fun stand sound voice reason personality believe show worked like tried copy reality v cross bad browsing video demand came across video thought price rental watch whenever want bought really wish could rented first interesting speaker interesting unfortunately really research physics astronomy pontificate biological disease put much flavor food us tasty bacteria really video stop maybe go back another time go change flavoring adult beverage first trailer awful cannot imagine imagine exactly film like like something circa well old cowboy poetry apparently rode bull show biz sorry grew horse ranch kind dribble quite soap saddle working ranch hand book granddaughter excited watching series episode one baby elephant comes back look blood crying granddaughter beware upsetting three year old first step glad pilot free kicking free bad predictable dull lifeless script yet another long line cliche filled cop came bad acting bad writing saw demand slow interesting story cop prison several came back working cop city department convincing good luck one acting leaves something desired sure quirky detective role adequately better vincent law order criminal intent times lead actor though still possessed alien film dream catcher supporting cast even worse know come new skip first seeing never bought need someone contact series chuck first season went buy bought version view unbox video player computer portable device option handful portable work portable stuck watching computer share family unless want huddle around computer wish would aware extreme spent extra get could watched computer portable player loaded computer put unbox awful unhappy embarrassed set part gift recipient original wrapped case empty cause pause future see past return date merry stupid show stupid made fun sort bought thing network still employed ended watching first take kept thinking great development deadwood show able get air time beyond show comic overall become lame thing kept watching smoking hot female agent even old episode spy issue deal watch mission impossible show forget actual spy something maybe year old would find cool otherwise would say childish simple show comedy action drama mean many times one watch chuck screw somehow manage bag top secret spy one else able get many times idiot best friend annoy us sorry show two many better addendum ended watching final admit like elsewhere show get better writing vastly learn make use gone lame head shaking people like morgan longer annoying actually somewhat entertaining also final five really begin push relationship conflict chuck buy chuck works actually become quite funny develop still spy quite simple clearly comedy action drama could would increase star rating opinion mean entertaining nothing special still many better give season final addendum actually watched every episode season admit show become one chuck adorable character heart sleeve smoking hot ever hide true chuck actually think one awesome spy stuff really chemistry drama chuck make show interesting wonder many keep apart old overall give season kind like said show awesome ray right pathetic honestly like tape never seen video quality bad never understand could look good lose much quality transfer would probably better getting version rate show ray release give ray way disk something ray mean case point assumed ray release latter would picture poor quality grainy picture might well get version think video demand version better also select particular episode disk follow one right another guess assumed people would want sit watch straight overall disappointed show dont watch computer dont watch also lot times nowhere old problem start chuck one favorite show ray however one worst looking ever seen recently bought slim first foray land ray television series land persistent noise shot lack menu choosing episode want watch abomination would bin chuck buy favor catch older recently posted line get chuck without shelling hard really like show star review content rather quality ray rarely write quality transfer bad grainy worse standard definition low end equipment either ray top line plasma v series really part watchable opening somehow animated look like glass actual show horrible quality really way describe grainy point one comment though read people say choose individual watch somewhat true insofar top menu however ray option remote pop menu go select episode watch hint order go left right top bottom saying get show expect high quality ray enjoy nick watched show producer josh good reputation also thought pilot promising episode however terrible lots full absurd hard believe producer famous first understatement made unsubtle unwatchable episode know show well plan watch geek show suppose appeal someone like much wrong dont get looking hope get new least know hope show better like idea watched show beginning watching end chuck great series humor action great writing grand sense story arc complete weekly even watching first episode watching last brilliant writing show season two thought splurge ray season big mistake everything ray inferior allow access individual video quality poor first disc really pushing much compression could take impression video cleaner least equal ray known great travesty save money buy version missing anything based star bought season watched holy show horrible people heck show watching first story way way way top unbelievable chuck becomes national security asset randomly take minimum wage near protect girl take job inside buy way across parking lot stupid hot dog shop even see take job protect someone see chuck totally randomly people randomly across randomly super retarded super lame random adventure horrible across board boring unfunny uninteresting show funny least mean big bang theory yeah star show great great funny heck witty solid chuck comparison none truly bottom barrel star show chuck terrible transfer show excellent perfect amount comedy plus action great acting cast entertaining review quality ray pressing content show like stated show tops ray transfer however read grainy realize bad actually figured could live wrong sad part noise present time really brightly lit dark leading believe product show shot particular kind film poor quality control warner odd thing also many dark bright noise look fabulous version problem pressing also top level menu put disc works well episode series major screw production set select extra content via pop menu version real verdict skip much love hi poor job done pressing cannot recommend get video far superior actually production value put get media player mac play also endorsed flip mac adapter play therefore transfer might awesome show never know let first say love show chuck rating nothing actual series saw ray version season immediately bought set season quality slightly crisper picture however season ray quality fact even saying quality would chuck amazing show unique cast great chemistry together unfortunately warner feel way opinion go watch chuck really first season life looking forward finding central mystery e framed show made large number found really female lead reese suddenly wearing tight clothes loose hair style like reason someone snotty comment reese basically every episode reason show reese related plot season got rid boss calamity jane robin replace greasy haired reese eventually dating despite persistent odiousness simultaneously wife finally sleeping although fair harassment ex husband first season assumed bulk watching community socially inept decided pander demographic saving show say sad show time favorite show music broadcast version giving star music integral part experience thing great series whoever responsible ashamed greedy probably show begin writing pretty boring predictable female detective buoy lead character brilliance often forgettable overall eh get way first episode bad nothing believable neither story guy prison big settlement mansion still works cop action faster moving story maybe would stuck watch whole show depressing find character wrongly comes kind bitter show love actor thought talent wasted series original music set series apart like series ever watched think studio trying double dip release version next year version come stick first episode got attention end monk much better would recommend love show best new series season fell love everything first like another cop drama twist description truth life great funny light intelligent serious dark got writing awesome many terrific one liner brilliant acting music selection masterpiece art buy recommend screw original music music everywhere far anywhere near good originally way buy like show watched love want watch like lost customer main character demented gross relation offensive character supposedly getting wisdom reading prison acting spacy obnoxious chasing goofy degraded girl around mansion supposed cute something attractive give break turned point wade unimaginative series based hopeful would interesting entertainment lack depth lack interest find love lewis awesome band everything else seen since win new show like character prison murder cop quirky gorgeous partner day either like main quirky personality get show experienced addition flash back storytelling style grew tiresome quickly robin captain san mayor wife good play unlikable fact ex con financial advisor normal enjoyable watch big disappointment summer replacement show get burn notice instead great l show would could much substantive acting better plot better main character main character trying like house aft er watching first episode thought give another try could worth time eyesight felt new show life interesting pilot episode background cop wrongly crime million dollar settlement police goes back work detective police department approach life trying solve crime partner young woman addict little patience suspect still found show compelling think went top much information first episode back little everyone good mystery reese woman agent emotional one hand little patience new partner ready disclose everything wrong end episode protecting overly emotional stoic addict would disclosed reese addiction history maybe bit later show needs better writing lewis character well going quirky guy way attempt make interesting compelling censor writer attempt transparent make every line comes main character lewis unbelievable black good actress would recast beyond poor writing full crap big fan good detective thought one would awesome wrong made though file lawsuit half hour life could glass waist time one great fan lewis ordered season one say terrifically happy show like beginning get subplot behind soap opera even though bit cliche stereotypical however episode civil war th one time winner correct cliche stereotyped history synopsis hate crime white surfer point shot head stuffed freezer display case gas station mart go home written oil window top crowd outside mix upset scene hate crime violence another white tire iron club another innocent stander head wow hero cop wakes morning business manager dream free energy buy solar panel farm business manager answer horrible fossil drive excuse pun point leave car gas seriously hate preaching one episode subplot lying bank robbery may taken missing money well officer police telling everybody get level princess game old captain kirk outfit closet wow wow wow minute episode discover mother surfer gang punk killing people mad mother affair young man part first killing whew hard read imagine hard would watch even small amount suspension disbelief really good first episode kind repeat lame character lead actor monk version detective amusing fairly quickly excited get going watching may great product curly hair spray dried hair may great give try work would recommend want try purchase like return much potential writing flat many plot lost higher standard woman living whats going keep seeing bought didnt buy obviously need help someone contact please show lot better assumed going flashy guess even hold candle show bought box set used although around original series watched said high would good series well good plot line part made original series work unique one kind woman one tried second woman villainous accident need really work perhaps show could resolved many story maybe show could still definitely see got might worth price shipping great yet bad major issue show format lack support also dislike use video select plus side seem come back lose data hardware p mac support good thought one lousy seen quite sometime going good together horribly wrong waste viewer time spend watching overblown sexed version excellent classic series name quality pure junk stick old series class universal would wise release classic series drop new remake like bad habit feel lead lovely would made convincing script would balancing drama well plus made little angry sorry going wasted time watching advice save time show worth seeing pilot good amazing well done however series much sister annoying get tension something worse average main character new love interest boring lot action adventure good prettiness lee awesome molly price usually best guy constantly ear show good potential supporting cast story done show sorry actress could never ever pull role also victim terrible bad time slot bad show revamp yuck would rather original series one original one much better poor copy please put original series review pilot episode know rest series better quite frankly get better glossed production matrix like effects distract flat articulated plot character development finished watching show little concern lead actress great enough reason stick around unless get better dialogue better stage actor stand around awkward start give emotional interest see produced show lasting eight may improve wind lasting eight passing woman fall interesting retelling origin story cute leading lady decent cinematography terrible dialogue poor execution dialogue chemistry woman seem menacing cool dialogue goofy execution flying special effect original series starring shown much better remake time third episode got confused way villain going good bad got tired confused written show longer watch sorry primarily mac user though cannot mac watching one unacceptable since compatible even willing hold nose use unboxed greed incredible remember still guess miss one miss looking forward resurgence fi cool involved woman thought could go wrong boy go wrong b w pilot mash poor character development cheap looking special effects even sound effects foot pitter patter b w supposed running fast poor hideous score music found wincing trite throughout also great deal difficulty believing want march right back mountain bunker get arm fixed fight superior really found much b w interesting excited see show would load onto computer know latest model old mac able seen series since terrible think handling even worthy well established title fast dark like rest garbage today used woman title original great role model creator new show forgot put heart clue watched old show see real talent production made case closed consider blessing stinker series eight think one reviewer thought original woman much worse crap version boots uncomfortable heel whenever goes mission imagine running sixty per hour like show sure likely unemployment line vacuous excuse television show strictly teen demographic want thought provoking fondly remember original series one please favor even consider lame show reach level leave choice lying dying unbox mess thought would gotten act together wrong player disaster took install still work avoid nope recommend dull story please someone release quality original six million dollar man region second opinion mac support new format product days thats plain silly offering universal included like extra included minute piece taunting woman know going happen show good long wait volume knowing one would hoped final included set far picture sound quality super sharp fantastic sound always wish though people edit turned would remove black would well repeated scene break although want show continue would become better watching show really lack action talky story diluted attention look feel without actual show like needs competition long p pilot first episode actual pilot different cast story bit one notable difference character sister deaf pilot average looking punk style actress fact first pilot really director explanation made would interesting bought open mind repeat television show done bunch perhaps final product might better show spend near enough time character development related found difficult follow show jump around without real focus character development dramatic see short run series four five series live special effects alone dis service original show opinion think good job work glad less four copy brand new would unhappy hopefully near future original woman series companion series six million dollar man format want add collection kind made standard format mac would spending money stupid new woman even little memorable predict last long well made dark violent angst ridden daughter character new somers rugged easy original pilot series well think several female stalwart rugged actress look way much like far much one scene bizarre thick red female cat fight roof rain engaging overall think show needs little estrogen testosterone one point woman made soldier see series going way urge director keep lady coming one fantastic series following excellently produced lost alias well much fan old show though old enough watched heyday allegiance like huge letdown terrible almost think sat thought enough much wrong really trouble plot murky commercial abrupt acting around stilted even talent could save could digital transmission problem live l new york dialogue throughout show shockingly bad definitely one worst ever seen hulk movie think show soon take air regular connection show took watch little screen woohoo allow burn watch premise great acting quite good story line completely weak point show utterly boring hired play fired people capable actually writing good intelligent compelling might great show certainly also sincerely wish would stop casting pretty talented even suitable part disappointing truly fine series good awesome budget well maybe story interesting executed poorly special effects justice show really stuck unacceptable fight routinely injured people accident forgot new strength fight fight way wet paper bag one super punch guy even bruise broken nothing hit non pretty much thing take punch better ever could say strike condemned show one season really doubt would purchase second season looking forward wife room within first fifteen made hour sheer stubbornness believing get better perhaps reinvention telegenic even brought back settle point around see oh start character build fast although argument made chips brain made possible hear fast able run long high jump extent hearing sight without setting certain going get control like third movie like love interest many epic action little sister necessary cut spend time special effects cheesy seemless like another reviewer said much like needs subtle good story use sparingly excited fact woman made use martial fighting different non woman dark angel alias see used real life situation locked room smash door open bad getting away car chase need jump story building jump want see blur across screen running want see across top continue watching last bother woman miserably obvious nothing writer guild strike pretty acting style stage presence physically dynamic athletic action hero historical soap dynamic female presence show villain good sign clamor see less heroine villainess support repulsive one root younger sister ridiculously like could almost age hire actual year old annoying brat boss cold harsh dark cynical scientist surgeon liar company worked creepy paramilitary group based blackwater everyone hearing bad news watch show nasty hope soon proper show dark ugly enough action much rain want see admirable sympathetic lead weekly adventure show even though flawed combine bland lead actress overpowering female star unexciting unappealing support amoral story structure zig show direction abandon millions got rid even good make superhero story wake marketing millions need support trust would buy machine remove load enjoy make easier us please reap much promise enthusiasm show network yet somehow find right ways destroy pilot even show going get previously launch even continue misguided path result protracted strike perhaps well shame arrogance nerve proclaiming never watch original brushing speculative alias buffy argument reluctant heroine anybody even nodding acquaintance creatively brilliant would know reluctant unfortunately concerned lot stake network show big budget marketing everyone behind got act considered daring attempt concept much ultimately result par network sound fury nothing pilot life art rebuilt disparate like title character mess hardly coherent point direction show could learn walk big reflected goodwill came standard franchise name turned away week week show exposed boring joyless wreck particular glaring character start used wisely sparingly would higher sense threat apprehension arrival controversial actor completely unnecessary resentment nothing pointless distraction stunt casting towards end different came left rein runaway show like finally finding way still central focus least becoming somewhat interesting special effects undoubtedly spectacular love interest angle promise first woman taking breather getting grip supposed hour relaunch show came strike gave everyone excuse pull plug everything might never know probably well feel sorry give level best rest us imagine mind blowing would show last long enough woman get war lead actress wretched excuse entertainment everything made star day charisma presence beauty simply hairdo spirit extraordinary sense earth intelligence charm thing applaud horrid fact tried studio potential concept tried give chance modern dramatic series unfortunately opinion primarily lead strong enough actress star power amazing reason woman part ever sorry saying perhaps role amazing maybe unfair compare maybe directed poorly regardless show work multitudinous big part admit went watching certain amount skepticism watching say wrong acting bad dialogue bad terrible even enjoyable say tuning series fall incredibly remake already boring series shoot wasting time watch would like view home away several nowhere authenticate another computer take road help page awful try log account unbox tell product really needs help series disappointment boring unrealistic nothing like initial series would waste money ended bin acting wooden plot unbelievable predict initial interest fade competition never seen original woman compare one current remake however based seen understand hit awhile place even movie yet see show lasting season felt slow moving nothing major happening end also done lousy instead showing procedure quickly gave us glimpse cut away next scene would nice detail least something exactly involved dream sequence lame felt rushed writer think scene new instead telling felt cop could written better teaser pretty weak understand trying audience trying sell pilot better shown grab audience make us keep coming back week week based pilot alone think chance hell lasting season watched really see going feel connection bigger buildup something kind throw disjointed watch first one giving much hope think ever seen show ad space stinker could assigned worthy program god name release trying suppress embarrassment like church see star special written better toilet paper backside thing missing special cast member maybe guest appearance boy need whiny loser sister car accident villain interesting heroine heroine stop acting like idiot least five willing suspension disbelief dis suspended really expect us believe small news people cover yeah right save super smeller show actually fun watch eight point interest worst thing like show avoid like old days lee far see pilot say nothing new course made modern got rid weird electro overall still fast strong gal good eye ear pilot could much little plausible becomes agent violate tool mad bit cool little odd possibly watch another episode improve drastically show honest shut thirty saw single scene seen done better stale plot overblown acting wooden conclusion would upset show like love child scarecrow tin man wizard heart brain first ten perhaps critical forced rushed plot afterwards could see coming mile away quality show aka season one enough save one much real quality television around suppose inevitable quite make grade age writing television reaching high shame end writing also worth plan purchase eight yes pilot car accident eye ear superior covert group go around saving world week include younger sister nothing secret life later character development well time think alias added minus charisma acting fine woman woman believe throw punch somehow never quite superior character mostly writing fault boss add clout let face though turn add clout well need say one story arc turns believable character series delicious cameo several since producer series also brought series screen especially disappointing story writing series fairly hum drum series completely high concept worth ago would welcome addition schedule bad series strong competition days wade sloppy lazy character exposition rarely comment one abysmal must fan original series one complete total waste time acting story dialogue production value disappoint waste time got excited saw release woman unfortunately definitive series starring wagoner enough said even doesnt want turkey please release original watched thought must missing something one unique deaf sister st pilot trailer snot nosed annoying poorly generically hacker sibling mean c mon expect morgan second new series time compressed thought watching summary instead real full length premiere story plot borderline offensive definitely insulting genre like firefly enterprise torchwood new doctor revitalize watched pilot yet keep eye like actually work though pathetic pervasive hope release episode see come broadcast premiere fault cast poor showing fault director person thought hacker sister would novel approach deaf one whoever chop chop whole cadre going disappointed one extremely disappointed pilot decent writing awful expect series better first watched premiere episode best could well completely suck good sign attractive leading lady special effects committee pilot felt rushed none people much cardboard wild suspend disbelief enough accept exist much one minute next act differently right surgery nearly wall one push subsequent fight arm even knock regular person one punch atrocious special effects anyone ever watched football game something air effects laughably terrible bad trite lazy writing lots lots writer logic make certain happen finally manage make give crap really something better amazing see much reality movie imagination favor get new six million dollar man real deal seen woman broadcast said worth time unfortunately boat provide wake new personal digital revolution happening apple big mistake dump works love wish read unboxed season shame aside leading lady straight heaven show eight case many reason watched actually wish could get money back thinking spending money show please thing get money regret watched video series came remember original series certain feel even new series tried much think took movie script tried turn series spreading plot fan original may want check worth watching otherwise typical special effects weak plot dialogue laughable wife pretty disappointed pilot episode woman excited see chief episode unfortunately neither one story good acting even worse high show thought new show chuck going lame show would one watch turned way around show interesting likable chuck guessing novelty show people see unless writing drastically dark undeveloped non engaging average looking lead perpetual unremitting snarly made difficult watch attempt plot development went nowhere awkward delivery fight strained believable even sudden talent mechanics especially bad almost see harness rope dark angry empty carnal way leaves turned paltry modern gesture memorable bad taste left fi deserved writing poor undeveloped acting awkward special effects funny best simply pathetic attempt another superhero show covered skip first version show produced without interference much better dark edgy quirky got afraid dark mood show third season bad ordered recasting mae great deaf sister result boring committee produced monstrosity flat stale boring ultimately unprofitable watch hopefully life pushing save new season believe show woman already although original show today stepping stone level good science fiction today also great deal charm pulse new version woman vapid sterile framework seem exist fight scene fight scene cast good original series six million dollar man woman still available us people pick going must mentality give green light production poor remake record show theres missing episode mean get episode really like show visually great little plot keep watching show need get actual thought great though improvement interesting see show though one probably special guest show main character acting extremely weak pilot plain boring woman grasp immediately without training common make plausible acting script flat really felt fast show end originally looking forward high end show seeing fight straight matrix action character development crucial see nothing compelling nothing see move violence sexual content show full sex several goes far opinion violence also top view found acting good potential like bad far good apparently always require sex violence order sell reinvention pass show avid fi fan star trek quantum leap many fi none rely sex violence sell show show really great show watching via unbox certainly say worth see declined greatly first nothing like original lot sure rarely fighting many would rather soon actress great script poor maybe strike write fresh material strike service although mac user dell still times like something designed strike happy install player perform well certainly nearly well play back choppy quality video good found real player bit better episode player went stopped giving access min call told restart twice restart player twice computer given strike worth money either account watched unbox version free show terrible made sense appear disappear without explanation people run fight reason special effects really unbox player almost unusable kept freezing hit buttons player would ignore close use alt kill went several times trying watch show clever show like buy store come would chuck friend title role think even whole show get feeling seen show somewhere skip one stated chuck standard season overall however tightly written cleverly executed previous plot start go nowhere clear loss interest next quality control final episode hurried rudderless nothing rushed tie together cheap attempt wrap review chuck story less montage key motivation undoing work went building couple four final episode cheap emotional trick praising finale voting buttons end usually claim last episode believe people goofy show like simply heartsick respond wish stopped season watched every episode multiple times must admit great entertainment fell face couple throughout series constant inclusion angst two love especially first season although later season got little boring lack continuity story although blame lack creative thinking audience dissatisfaction conclusion final episode really weakness creativity end fact chuck intersect head big deal based previous shortage seeking intersect since chuck alone eventual demise would unavoidable lack enthusiasm last kiss beach running around possibly bedding people interest marriage chuck mention divorce leaving everyone would eventually get back together given copy stimulate memory course given would reassign would tolerate loving relationship per several also wonder forget relationship chuck villain copy intersect could go several every season however let say result lack enthusiasm finale give away complete chuck collection knowing conclusion ruined enjoyment repeated stick closer superior experience quality poor stopped watching chuck used one season like hard time finding inspiration though still fun get back family especially aka walker gorgeous ever entire series got th season first episode terrible worthy watching second episode bad begin wonder could screwed great series bad middle episode watch finally fifth episode almost stomach maybe episode like original chuck still intersect struggling time episode build drama get feeling like whoa reign show could today go idea th season last still going mostly hate th season sad chuck could went would show like chuck episode episode basis build story bad final season th season made want like show hopelessly lame high based premise show identity problem comedy drama neither well cancel chuck series really looking forward final season dashed disappointing felt sorry complete set son watch series chuck successfully fought second season cancellation three eventually enjoyment unfortunate series live high first two even still enjoyable third fourth series uphill nay saying roommate fifth season make lackluster acting still quality watch desperately trying bring game lackluster entire cast make bearable end day still love reason season worth watching someone last four people person never seen chuck caution stay away cannot stand two would hate forever series disappointing season pull story line based around brain review show unbox service whole media center vista series let start saying like unbox service use many without problem unfortunately show play media center w extender correctly playback extremely ghosty point unwatchable tried fine media center via unbox player media player unbox tech support offer help think issue sense since fine unbox player tried show video service unbox fine even thought quality nearly good unbox unbox show series found issue chuck early never comic relief buy season decided twist make morgan focus understand attempt recycle morgan instead chuck fundamentally different chuck always shown flawed competent work four great incredibly end season totally depressing outrageous fifth season series part finale went everything series built four episode morgan ridiculous use intersect final outlandish villain antipathy always think last episode season four real series finale love chuck television show picture quality terrible seem like cheap bootleg made china sold street feel purchase another product seller guess get trying save buck let start saying chuck fan never episode since day one great disappointment watched season thinking would magic previous four excluding notable chuck baby chuck bullet train last hour final possessed none think golden opportunity knowing going last season showcase growth back story would seen well cohesive plot season audience left neither felt like really know one foot firmly door going continuity tight past lot miss hit many feel like make thirteen really hate say favorite show time tied wire think skipping season becomes available say plus side know acting two ever better especially finale shame work best thing say season mixed bag still mean good enough purchase stick first four season call day pic disc quality format many story bring back season never posted review least remember chuck much show thought acting forced stammering shameless rip office seth c pilot exciting female lead like rabbit crossed trying hard funny original came stale review chuck love show quality picture standard horrible got year old look better five worst point watching previous came minimum disc many compress video get happy ended favorite show feel like twisted knife final farewell love chuck season great shipping time received loose case shaken around getting time send back pay shipping would cost bought say call fail excited plot idea set program cool idea done well many times like frequency family man story poorly first completely even still even know even like poorly done cautiously optimistic show quantum leap hooked immediately upon seeing pilot episode one much problem time traveling idea general fast loose still scratching head biggest acting leading man felt empathy reason root something hopefully change music track annoying key lack reason hero follow problem total lack connection story really also like idea taken easy way hard explain got ability tell need trolley route use one exist time story make obvious us wedding ring issue even though way another character could finger let miss cause much explain see easy way oh dialogue unbelievably hokey good cinematography excellent time traveling element always ripe good story plenty key supporting hopefully pan way early know satisfying ending family part story however said prefer hero works particular actor hopefully change plan give least one shot either back quantum leap bad casting horribly directed show kept wanting delete right away watched though could stop thinking watching show idea new much interesting way novel time wife countless plot acting good biggest flaw casting lead character one personality screen simply stopped watching spend time much much better ways watch life promising show turns town saw movie ocean live shame much amateur feeling routine always something learn even form amateur perspective quality video bleak depressing setting tried watch second time could reach end far superior quality technically visually price even less gong one miss thought would enjoy think traditional thanksgiving dinner really think gourmet preparation thanksgiving dinner combination various comfort take time preparation type meal video would ever found rich large crowd meal amount food prepared video could several large although realize whole point show various prepared beyond video neither good really particular charm witty commentary overall pretty dull unimaginative continually could watch video time connection something else bad please see let know fix problem watch secret without interruption thanks chester morris fan one understanding old film quality probably time difficult watch picture quality also plot acting great bought movie never window purchase video guy typical rap artist talent snappy name prepubescent teens ever develop either thimble full brains modicum taste like notorious b g spend days back garbage trucks belong comedy poor canned laughter joke pun intended mature maybe anyone almost painful watch kept thinking get better get worse wrong acting horrible plot ridiculous completely predictable may free still wasted life never get back annoying pretty annoying parson one really semi interesting big bang theory wonderful funny quality ray however terrible put first disc first covered clean total bummer pain return sister bought entire show whenever comes say premise endearing execution well let explain main character bespectacled scientist loser constantly roommate hate guy extremely pathetic whiny voice fact go far say main reason hate show constantly relationship girl next door penny find completely unbelievable pathetic weak spineless annoying whiny also somewhat devious terrible friend although penny occasionally remark great guy never really see anything noble kind however betray time time act like douche show light everyone thinking returned prop rightful owner really kept intentionally gave friend bad relationship advice date penny would go awry deliberately embarrassed video giving speech drunk audience moving actually interesting person show quirky anal retentive obsessive compulsive personality asexual picky completely unaware social etiquette get used becomes quite entertaining watch especially penny show would think jerk observant viewer actually much person account social awkwardness penny obligatory hot girl show love interest markedly first season show although fix later probably due viewer one joke show one something overly complicated scientific vocabulary would reply understand however whenever rest cast due social ineptitude penny always explain raj another scientist main character quirk talk present would make extremely pathetic immediately change whisper around make sense embarrassed sure us relate situation would probably try melt background real person anyway later decide handicap much pain write around change talk drinking eventually say screw drop trait altogether said kind sexual like think character made last main character least everyone somehow multiple engineer total pervert mother obese woman never see good grief express character show four pathetic socially awkward supposed think show awesome reality absolutely making fun actual scientist person portray often inaccurately find pretty insulting sometimes ask risk sounding like say show really geared towards people like think interested geek culture furthermore tend overuse many non like got beat lot smart never another thing show scientific like star trek stuff intended go audience head pay attention pretty accurate like aspect show way talk clear idea talking sometimes make glaring one scene another scene breakthrough like even though quite literally first thing teach organic chemistry one character work together bring prey solitary product placement pay attention notice product every episode show little model android statue desk raj love judge pop couple penny works cheesecake factory game sword plaque wall near door everywhere find annoying offensive especially people paying money buy another thing everyone show also ton sex exception asexual even raj guy talk kind whole persona character exude crap still complain interested plus like episode draw death finally writing many cast admittedly rather interesting one episode building robot another going space tend revolve around sort crazy quirk lot however penny hate terrible part usually either fall racist ha ha ha ha pointing someone every often gross joke thrown well pop culture reference supposed accept humorous star trek used often example man last year wrong must next question finish sentence bird taw hilarious remember first watching show wondering could tell took laugh track people actually anyway even though personally stand show admit probably best right saying much despite reduce quality hi purchase already pretty lame video still stopped several times anyway video poor quality standard definition price hi happy watched whole season would suddenly stop restart different place could find free would preferable big ban theory complete fist season fine first disk three would play properly fine play every new comedy comes fake laughing nothing worse trying watch show fake laughter almost every sentence funny honestly tell show make listening five solid min fake laughter delete show many people like show terrible comedy obvious horrible please love god tell show funny met mother pretty good engagement show almost unwatchable something getting everybody two half men warped brains find unfunny funny watch two half men opinion par show stare obvious laugh response mechanism mentally forcing laugh every two banal dialogue please perform service tell show funny tell laugh show get feel like minority considering people gave mind please help wish could like show mean life would much better low able watch late show jimmy without flinching able enjoy ben performance might even able listen chorus song without wait going overboard endless unfortunately big bang theory retain capacity discern quality crap show written non sent couple pa comic book store bring back superhero felt reading write geek dialogue concerned seeing many get per episode writing plausible one star hot otherwise thanks show great style show like sure probably like lot wit completely personal preference streaming video works good less time high speed problem average throughput test time video problem besides obvious video quality goes even trying find signal everyone apparently quality good imagine also way instant video per season get entire first mind idiot price first thought upstanding provider oh also happen house season ugh comprehend rave series one worst seen dimensional interesting one dimensional gag bad ever produced especially true much ridiculous thoroughly unconvincing cartoon character whose motivation look goofy odd island mother car look like great intellectual works art big bang theory ordered book friend birthday qualified super saver shipping sent separately lost think kind cheap still amount also big bang theory yet received talking later love item happy service apparently disc told sooner could returned made show smart people call big bang smart funny hopefully better humor funny make sense funny understand like show well actually probably fantasy guy matter inept get hot girl version beauty geek gone faster split atom might easy two plus dialogue way intended audience think numb without hard could evolve past second third episode laugh become less tolerable least sure funny many stupid engineer laugh track button really care think laugh funny one allow provide laugh track real people one good reason seek humor elsewhere disc received well came timely fashion burnt cover home print job possibly item listed original disc ugh quality grainy guess used still think little underhanded bought bought happy complain much series extremely offensive completely insulting anyone scientific discipline series like real world misconception reality usual gotten wrong outrageous garbage laden series forced watch half poor quality fault provider receive around times also none streaming trouble like receive full without definitely something wrong instant interface aside show great please make stupid laugh stop every word ah unwatchable glad wasted money first episode offense show big series many people original knock funny comedy struggling st season finding little originality writing caught one occasion dialogue simply find common thread line type humor recognize comedy wow seeing humor show keep seeing poor man version poor laugh obnoxious appear funny character development really shallow see humor plot worded differently get struggling adjust considered normal tossing viewer like two insulting laugh instruct viewer laughing really obnoxious one find anything funny laughing love good comedy script curb enthusiasm season wonderful release take heart show consultation also find rock funny probably last till thanksgiving sick unfunny laugh boot watch big bang theory certainly could entertaining far heady almost irritating watch one episode enough one people stop talking hearing great stuff thought jump day caught marathon watched find funny decided recently season office white elephant thought would maybe give another try maybe saw show dry patch disk watched disk laugh problem show really make think unlike many development community think simple stand none come know kind hard understand really feel real portray asperger unbelievably portray people disease self centered really care anyone close family member disease kind extreme character see good portrayal disease watch parenthood community overwhelmingly loud laugh track show acting awful know probably disagree opinion review show love disappointing watch show find standard definition ray provide better watching experience watching broadcast network case please warner bring high television high watched show funny interesting contemplate many different humor people find funny funny today comedy seem range funny reprehensibly disgusting curious nobody today able come comedy genuinely talented people instead constantly pushing decency hilarious art comedy wonderful family friendly like dick van dyke mary love lucy seem long long lost art humor show two man yet another huge show corny everybody people think good horrible cheesy entire show sure dont go outside like show please save money time met mother fan show extreme short good love show always video audio quite match video quality pretty poor well work return return easy got money back terrible show thought give chance since many people seem like could enjoy perhaps better later unacceptable relatively new top line ray player every ray disc believe show like could popular engineer youth today could think funny sure find funny show pretty mediocre far see exact type garbage like away general particular away show dont seem know difference prissy effeminate one character like guy clown suit version crane frasier retarded right hello larry life offensive thing almost first moment show absolute insult viewer taught example idea might cool one wasnt written giant going youth one people need fired see image quality good even instead sort bad acquisition quite possible annoying show ever seen possibly humor ever people actually watch show eleven year seriously show comedy darn forced fake becomes annoying within matter something laugh terrible quality watching mine could see first fine hassle replace item episode show good disappointed quality experience wife present inside satisfied purchase kept freezing disappointed glad trial period money really upset humor get popular show several people told totally fell flat one episode black hole humor minus story plotting c plus dialogue c plus overall grade plus c minus watched bang series sound remote television screen disgust bad bought rave abysmal comedy throw glasses onto still make funny casting brooding idiot always found strange people finding cute smart say similar favor find quality scratch comedy itch banging head wall several forced watch first episode first fake laugh real turn told laugh especially situation funny pathetic second show predictable collection worn character depth whatsoever hot please hot scientist waiter would interesting waste money like like breaking bad still waiting funny start know start slow breaking bad example oh well wow terrible show turn delete half way infect rest unfunny awkward endearing funny way bad way bad acting casting watching preview find screen stay strike permanently painful reminder folk never willingly took science class sit entire showing awful stuff remember last show watched laugh track intrusive annoying detract show made show turn show potential casting acting set good writing leaves something desired good another reviewer pointed like hack writer took random geek used slightly wrong instead written true geek comes across written someone trying imagine geek overall think grow took laugh track network pilot comedy ruined laugh track several times minute absurdly fake laughter applause would clumsily mixed faded comedy might interesting without show annoying anyone know would possess producer director intentionally ruin work like even like laugh anyone one incompetent point parody husband love big bang theory never saw first season decided buy first try used husband said subject wear use fine first season set three first two would show us first freeze jump back menu saw one two end third disc would load properly displayed error disc visible tried clean help sent e mail seller explaining refund days ago reply seller upset seller probably never buy used cheap tired one big bang theory nothing new much title right however cliche relevance big bang theory unfunny coupled irritating laugh track barely watchable making girl dumb blonde poor debut chance smart actually funny air right briefly watching show first hardly believable even accept exaggerated sake show seen oh everybody said laugh track terrible even difficult watch show end thought concept show would good even science engineering math background get still funny watched show much could take see show last past get show hear coming awful laugh track hope indicative new fall show really like black face insulting real black face one every type hot girl fun social ineptitude wow would thought man catch sign last thought canned laughter insulting viewer stupid know funny let know laugh found long time ago laughter social experience people likely laugh see hear laughing make use fake laughter elicit something actually funny want show heart watch community default lazy writing canned laughter also actually good hi show par today extreme stereotypical never met geek talk today society everyone equal basically taking movie revenge extended format premise show plain outdated horrible nothing wrong cast could something better look forward watch show equivalent blackface whatever social anxiety plaid add misuse technical create patter supposed repartee clear simply making fun rather reason geek watch see made fun poorly hand actually laugh three times episode forget fare marginally better though three funny atypical quality show merely crossing threshold wonder winning never pay crap like insane greedy even make pilot forced staged laugh track way annoying looking forward premise sorry see badly handled found show painful watch constant misery comedy always movie show character supposed genius obviously cast four far obviously understand half script still might overcome good enough pull without annoying laugh track know think audience cast fixable show inauspicious beginning bought show since one love thinking save little bit buy wrong even piece junk awesome show show bunch show flow well little need get real girl like typical though would lot better thought would respect public little feel unwatchable comedy director go guy pilot anyone make pig look sound feel like anything well guy case might near impossible make happen big bang theory last entire season unless good money bad investment better writing staff big bang become big bust television season writing laugh synopsis bad lost respect public series per se bought series minute episode steep sucker sometimes show bit much worst new season show think seen thinking watch nothing crap remember loving show think must acid something way better hunk junk fan lot love wasnt remember never received item took money never response force give us money back take responsibility seller sell sorry say episode play unbox viewer play media player ordered like fire outside case fine melted warped completely unusable season four house every episode miss half season cause much disc really scratch watched show religiously first three major fan since days since dead poet last days even previous set season pass past year first three delete without watching part interest show interplay house three elimination contest like bad reality show really turned realize something mix since show getting pretty formulaic bring bunch care answer shark bad far superior first three impeccable writing camera funny sarcastic house fourth season know shallow depth reviewer said house parody suggest better rent first make purchase hope season better think strike shame though situation house cut grandeur first three excellent love series bought set used like new really high came perfect condition case third disc came quickly mail think rather one worked took longer get season always used watch house television fact would wait show come week however show absolutely terrible wonder still television new lame whole show like ran original yet want forgo making money also show significantly first absolutely hate sellout become money rather concerned writing good entertainment sadly show become great show conventionally unlikeable definitely fascinating main character surrounded often interesting support crew series three house increasingly dare say unsympathetic one think arch villain actually point solution get rid sympathetic series four make house increasingly unsympathetic point actual repellence series creator shore thinking series four consequently first series bought series five much longer character house virtually become parody credibility cheap truly benighted times really need hero selfish self absorbed totally amoral character record one episode saying needs bring faithful house viewer since six ago every season season four worst lot disaster way around reason giving two part problem strike season finale excellent end season three original foreman resign chase fired foreman eventually hired back cuddy episode mirror mirror works er chase becomes head surgeon shake figured potential execution however left much desired house fill survivor style method choosing stays goes amusing first went way long eventually three permanent thirteen wish would clinic duty source much humor show largely absent even addiction job even freedom season three barely overall going give show fear season five much better good thing really need see final two season four nearly painful rest understand house actor lesser talent would air season season becoming formulaic unfortunately solution fire back burner primary bit imagination courage got great could mine deeply instead chicken content skim surface season viewer willing suspension disbelief past breaking point chase becomes skilled surgeon immunologist becomes senior er really still want work hospital house really ridiculous reality style replace house team sure house love really finally house nearly lost job freedom season addiction virtually season really vote season house island immunity one made season slightly bearable spencer used enough full half season still care new enough information original cast thrust new mix show well cast one star pretty green color ordered product never seller shipment response e mail charge credit card get credit told nothing could cancel sale last possible shipment date month wait month could order someone else case seller decided honor agreement bad experience around order anything else seller local library first three tore great house perfect character surrounding cast outstanding season ended wait new season start man disappointed edge gone house longer like jerk purpose instead jerk hold onto house staff trying best ie keep old bring new could go sign show going downhill house take one pill season opener one house watching three bought item daughter gift love house put st disk work geared watch let disk play add absolutely brilliant first three hubby doctor age would love say stuff house got away every second clinic story line house forced serve per contract hilarious say think imagine story arc character astounding way cast handled jargon never watch medical series much load crap always saw first season decided give try season four yuck believe chose add replace original cast worse still make settle dilute spot similar tell difference also drug addiction relentless jerk cop story line idiotic people realize addiction nothing alcohol addiction scare tactics pain pill bore annoy narcotic habituation interrupted flu like last days withdrawal alcohol extremely dangerous people die showing house going daily routine aid pain medication quite refreshing cue evil empire music humbug found propaganda show medical strong went along less medicine propaganda throat recommend show th still received season house ordered june better yet received response reply either seller inquiring status order understand poor mail service understand zero customer service bad experience order ever place plan experience one bad apple relationship let suffice say seller condition get used good condition nothing wrong quality video sound smoker guessing previous owner heavy severely horribly affect quality sound image anything else stress enough cover buy season show usually paper box cover slip see displayed picture green one house table yeah overall really complain got however seller trust next also smell plus lack cover real bummer final rating show like still air mystery show ended probably season waste money completely lame show people suck ordered never got package wrote never got money back either never wrote back either much awful less hour felt like head caving finished still feel like watching amount wolf moon ever help recover seen great episode saw good maybe translate well another medium order get access archival included got feature misleading advertising ordered season given season season box terrible thing someone thought quite funny language crude well sexual content think funny bit older generation little long way also think exposed crass language maybe talk way thought disc problem scene episode sex offender barely outside hard tell sunny like title misleading moronic content sophomoric level really want waste time rating ask shall receive received box far defective disc player shake make loud rumbling sound wobbly sound match able find complaint friend mine experience mine came came best buy going return wait sure get non defective copy know would play computer totally bummed agree noted first three house noticeably better written fourth season check find whole new bunch story fourth season one would think fox went hired write th season one thing house irritable sarcastic even unethical sake greater good quite another thing house jerk apparently sake new actually believe form house original fan base someday main character would become lots rude despicable one early way viewer drawn identify lead character despite outward grumpiness beneath someone sharp witty tongue also exceptional diagnostic basic goodness character house fourth season someone us would want talk let alone work alongside medical career ironically far easier identify little gecko character comes house commercial hey wonder intended along going three award best writing drama whole year earth list selected would stop go system lo show might wore badge honor respect many many many us tech savvy deal streaming ing computer please going last five like previous waiting please thank kindly otherwise regular old able last five watch please help thank much either maybe put step step site fool new fangled stuff watch thanks goofy show like budget half dozen six supposed believe flick next time get wild watch th time terrible poor script poor acting slow slow slow story progression please go bed early instead another futuristic mind ray star beautiful female warrior framed murder imprisonment space station title locked w group beautiful sadistic one eyed matron w fi little offer story department mostly showcase various wandering w big hair girl enough space clog black hole ray masterful best also good see monster deadly spawn appearance quivering land speeder horrible movie terrible acting could worse good example type free prime good movie spotted film low budget flick bad plot went nowhere could would rate zero thank goodness fast forward story line pace poor acting worse would say felt like directed group year old would offensive year old nothing movie made sense although skip around lot looking action whole thing terribly slow paced acting joke watch mystery science theater type experience could fun fact wonder done movie could worth watching terrible movie finish sorry female may nice way put old fi flick chose endure entire show really drunk group may amusing high maybe writing high school level guess set lower oh well sadly whole pretty enough two watched enough see one shot cute acting bad sense yep got scene good enough assuming one take maybe actually bad sort high school college level outdoor creatively enough done someone else noted self provided believe sure anything could saved dialogue acting help unclear assuming low point life watched prime home free creeping insanity could finish watching waste time glad prime membership least spend money terrible could lot fun camp bummer absolutely stop watching harmonica scene awful good way terrible acting terrible harmonica absolutely annoying two nice rack firm pretty mean seriously substantial could well female prison ship outer space least sit whole thing worst ever show little story waste time low budget bad acting horrible special effects plot match movie great want version worth watching couple animated may also like section wow worst movie ever say low budget would horrible acting horrible script horrible music really need fix show may also like thing star making soft core various went direct cable director ray actually made fun actually theatrical release one unfortunately star actually titled prison ship star video beneath one kitchen sink fi prison comedy props footage many came sandy terror planet trio priest legend anything contribute planet corrupt government run sovereign answer sovereign brutal military official late ross wonder right hand man screenwriter also music name nightmare kill capture right hand acid crater seven prison ship justice second cameo anemic female prisoner population ever film ship run evil warden gant even despicable wearing trustee muffin dawn future force married ray time take joy torturing female first mike phantom empire also starring leader soon form alliance try escape ship completely crazy super strong artificial hand torturer known inquisitor scarred faced ray bloody movie miserable pay visit whole story nutshell awful belt comedy badly almost total lack nudity goes topless two film ray props notably head alien deadly spawn producer film ted thanks end mention spaceship battle footage dark star battle beyond joke laden script much groan intercom ala airplane voiced film producer jack h equinox music score screenwriter producer beware blob brother jack h like cheap knock one found lost ark apparent entire film shot cheap painful watch hard believe people back day actually see theater mention bad luckily since member prime pay anything watch streaming player even though film copyright actually tell something also starring schilling originally entertainment later image entertainment rated r payoff making buck horny teen buy pretty much movie tag promising enough vanity thing cast like people publish family would even consider cunning commie plot destroy deep respect really hell surely one movie maybe movie forced watch night night eternity long days hot around basically waste time additional time write short review occasional flash nice could way salvage mess live dumb ton enough dumb type certain amount review movie terrible take word since got half production horrible many hard even imagine story line old used plot revolt overthrow tyrannical leadership bad one evil heat one submissive alien planet one evil president obligatory self serving cold hearted one evil warrior slightly demented opposing team group female one arrogant leader screaming verbal one whiner coward pet rat someplace enter second strong leadership type course part gang yet pushing two taking sides leader band common war evil put together story line weak predictable worth talking even think watching movie take advise go bed early get beauty sleep better unless course nightmare case would toss flick tried watch middle night suffering insomnia nothing else even proved unwatchable know trying movie whatever mark yuck good thing movie leave great n bear watch past first genre flick sure still suck suck realize title made prison move hoped slant got prison film unimpressive doubt one worst film ever even bad bad stay away high school better could give movie half star would acting really bad much way plot special effect even good either talk pretty cheesy waste time start finish sure able endure end prison ship space lame watch acting horrible writing horrible special effects horrible fairly attractive enough nudity make worth time looking watched bad make one oh horrible pretty much like old night bad camera work bad acting bad dialogue around bad waste time money unless absolutely nothing want waste time bother watch movie even b c movie one bad epically bad watch love old b need kill time brain give try good luck bad bad acting bad script movie good laugh much couple hot reason gave hard believe someone spent time money make movie must tongue firmly cheek watch get past space prison scene yet maybe better hold breath bad hurt watch painful ouch damn making think good b movie check see new cult classic making let one go opinion long acting enough single star hate ridiculous hate gratuitous violence abuse men loss liberty fair country rather one star rating believe drivel collective consciousness mankind total waste poor photography script acting special effects pretty eye candy substance go found film goes bad worse love like killer plan star nothing waste time fan b thought would get kick one get wrong loud several times watching bad movie twisted fantasy creator evidently half naked couple times plain naked lady people never ever watch description sound like kind film prime free thought would give try expect get much plot continuity good acting kind really poor complete garbage waste time tried rip music theme song chapter talk movie found fast forwarding time acting poorly written bad waste time poor acting effects everything else total material pity fool move expect much disappointed mindless even much skin though main actress lovely get see equipment anybody whole movie funny enjoy watching people embarrass usually covered glad violence pure tedium lots booby humor said booby every form ever want even low level nudity fill wild bikini shame bunch ex make movie nudity fact acting writing bad even giant could made sadly could muster star younger shape one dumb waste money entirely sure double avenger unofficial citizen sequel switch rosebud almost movie seriously staggering piece crap good fun crap way worth rental let face one reason even want see movie trust hugely pun intended disappointed best old kitten prime scroll screen series great potential lot good surprising much show included yet two different night day problem version clearly young audience comic book one note villain terminally cute child mechanical pet show family program younger family real problem provided potential viewer suitable young still much time fact state suitable young period downside adult first original series time may find many simplistic shallow worse goofy case try version tone completely different grimy dark world designed adult like bit ambiguous since likely given series thinking getting watch young would appropriate second attempt prime player play library movie want prime membership money back ending want money tron legacy back ending want know report movie player hacking senior disability need problem player make use defective sold library play without continual offbeat hubby halfway watch style format people spend time talking camera story kind interesting somewhat amusing great kind odd video sure glowing terrible video first made clear three common weight loss diabetes high cholesterol theory video guess little help probably true certainly better exactly would call workout looking also really kind instruction yoga whole thing breathe discussion yoga breathing video would helpful beginner whole level absolutely beginner really instruction help think never done yoga would slightly difficult follow occasional consistent use actual yoga also never done kind shape going find difficult particularly hip third section hand really experience yoga far simple kind annoying ask target audience complete needs instruction people shape need concrete positive side video pretty soothing although really telling repeatedly burning lot simply inaccurate message change definitely couple pretty annoying could lot better lot suitable yoga need nice thing one available purchase digital many primary issue convenience video library rather hunting really bought plus might suitable rented instead would probably use movie like smoking crack rock less impact hit first movie guess woman ended prostitute second third film know hell going never made far save buy bag chips canned soft drink lunch worth money unfortunately shape feel work believe movie movie used old trick adult size stuffed animal monster film two life getting back slow moving well plot pointless seen minimal plot unlike one well movie choppy sloppy idea considered classic flat uninteresting fine sometimes put east coast accent would come go worst script impossible follow story many left kind empty may classic know lots people movie one extremely disappointing hearty decided watch film unfortunately live setup rich easygoing wasp republican v poor unrelenting socialist done poorly except socialist part home way respond sense find empathy either character let alone relationship time ended romance relief movie finally ended even waste time one unless remember fondly get recently watched movie first time disappointed movie boring politics romance seen way better quality meaningful love ie splendor grass one chemistry insecure desperate spent time trying prop order keep meaningful politics desperation inspiring continue writing keep interested almost painful watch based shallow one never see depth really understand first place character dimensional dry relationship one sided commentary even said initially turned role shallow never child gave clear understanding left poorly written movie hardly believable hole edge towards end film complete shock good way fun throughout ever good movie montage idea made movie poorly documentary sound quality awful tell saying gave give save money come family guy talking truly great show question great another fox screw good money ploy getting full season getting half season like season two different huge blame anyone behind family guy real tactic fox evil buy find sale drastically lower price course always think show exhausted end season neither season season new interesting seem dragging thriller line best show seen season watched times remember ruin image mind let throughout night woke morning watch quality piss poor reason could make going already seen first couple never buy unbox even though technical reason writer guild strike season character development felt half baked rushed lot missing good season overall major letdown compare masterpiece season recommend season strongly suggest rent start saying prison break season near perfect one time favorite series season really good good season really came season wait watch season watch heart broken complete let ask well ran put prison bad hence title prison break time care season chemistry brother link hand outside prison stupid anything right try solve problem let call give much away almost problem b top never see see learn removed series advice buy season great last chapter season change end little bit perfect series bought item ago according web site item available language audio received item told customer service money telling mistake since unsure really able offer item version aware want buy product language web site remake season one badly written unbelievable plot many hard believe like sides one another keep suspense going still worth getting saw previous hard watch almost painful unfortunately cannot play wrong region code player wish would warn product may suitable disappointed set seller communication poor provided never use z guarantee program get refund seller horrible great great want see end season lee burke husband looking forward new mystery series disappointment season pass one writing terrible plot plain silly beyond story set new rich cultural heritage manage even one interesting character whole thing completely formulaic check life much better series really interesting quirky plan simple show bad sad switching naked gun least arn trying serious meet show maybe pilot really appeal knew within first going like show husband said give chance end agreed would watching story basically around hurricane handful hanging trying clean area rid city crime think attention episode make think hooked wait see next episode give show really bother maybe comes give another shot cast say many recognizable actress eight pilot husband knew show season pass list premise new trying return normal life post interesting enough time since disaster pull plus acting horrible action laughable plot obvious another week fox likely make bad music acting straight cop show dialogue indecipherable unless speak ghetto program interesting concept laughable execution plot almost copy old cartoon acting bad camera work make exciting wound annoying far set new need run city keep audience worthy associated disaster realistic time frame writing laughable acting joke pilot showing imagine guy whose uncle pretty much network bright idea kind high action chuck thing post new well could imagine stoner loser good nothing write shoot produce concept imagine really good absolutely nothing sum less k ville kind sad pilot probably going nothing like rest ill fated series spent lot money produce one television even sold comedy might amusing watch drinking game really really stoned wonderfully unintentionally funny police general fire particularly moving high speed chase area broad daylight open fire generally fire like ammunition minimum running suspect driving away high generally able run car screen get car screen start car get speed yes yes almost caught car next moment oh screen generally lose car find bullet proof produce foot wide spark hit every hit something windshield like seat dash even people plot nonsensical camera work profoundly character development laughably done major pontification safe nuclear energy wonder say post us subject similar kind face lot analysis episode fact seeing post look pretty ridiculous probably find rationalization rebut right industry say exaggerated general approach find somebody somebody without call latter person obscene name hilarious right often shameful dead wrong case episode many ladies like rapper video female showcase booty cover really quite wrong blah blah blah blah season came high besides dynamite first season team behind show run terrific platform entertainment set text content ways get world show hooked wife home catch every episode season came high one night another kept make wife show really sucking even would make better week week creative team never watched much less worked virtually nothing enjoyable entertaining least season unless show act together first season drawing interest year set think cost comes value say around maybe one ticked fan friend told try thought awesome first season possibly promising nothing get excited second season might well used abysmal writing make sense plot much train wreck one season one acting step acting really terrible rendering something could good love first volume one good dont know happen writer volume bought season two addicted season one rush home put bam instant disappointment first two less season one big deal figured would still amazing put get still finished watching couple ago suspense keep interested plus quite predictable going try watch see day disappointment waste something whole hiro past tedious resolution virus completely plus power take apart electronic stuff annoying useless probably due lack show always deliver truly climactic superhero battle like awesomeness season second season really slap anyone season anything lost keep interface nothing use first place pause button pause cannot play video forced upgrade media player want forced load net open standard want volume fault os snapshot way convert standard like could mount video library recommendation partner apple tell fox properly video like season two allegedly great creator feel need publicly apologize first seven nothing plot let see hiro medieval japan next week hiro medieval japan still tedious nothing story along like lost like ran fresh like watching paint dry thank god extra star wedding present brad watched first season device quality great watch mac bad watched entire season concept admit writing season sub standard far far many plot many amateurish overly simplistic disappointed understand strike perhaps sufficient explanation poor writing give season shot see wanting know watch show answer yes buy local store somewhere easily return exchange work copy inopportune times fine visible play either ray player find way watch season set half price half seen season know going want watch season otherwise watch lost bad ruined show hopefully season fix boo make interesting one reviewer put clothes gave star deserved season season disappointing poor writing plot development one new made naive stupid woman turn brother met ridiculous funny hiro first season nothing love sick school boy season new come right away character development creativity plot fan buy price goes never got never got response seller also get credit unhappy seller show fallen hope real back cent season horrible hope make little believable season sad even respond series season get unless get copy fot show much potential going try season three get better sell season one immediately ouch love show second season really like good bonus good audio many see season see new best new character elle bell course last season peter remember watched cable regular less feel like watching movie advertisement buy buy shortage due strike almost full price produce charge price last year cost production program around buck matter full buy feel sorry made good buck tell boss work time expect pay season two neatly one word disappointing beyond king us instead taking love would rather split plot introduce new ultimately yes main villain back season story hiro back time oh predictably cause get repeated almost every single time travel show history film animated comedy fry back time sleep grandmother ugh anyway want good show watch season one season two notoriously disappoint sure season three recover attempt hopeful much watch days mac support bad would bought rather short sighted leave growing market segment mean really anyway show play junk know show season slow moving gosh darn know going pick ran form sort justice league never promise hiro went adorable sympathetic story went like period think major problem hiro plot barely help wonder leave pete got lost future canada saying hiro story moving slowly peter marginally faster satisfying watching clothes know occasionally clothes distracted show much relief becomes possessed plot date creepy stalker poorly creepy stalker creepiness stalker try pull creepy stalker butt save people really little late looking forward apparent brain damage dump superior loony bennet went far accept stalker boy stopped watching felt two favorite murder mystery without really offering suspense killing little emotional investment chance plot half baked nice stuff elle nice first appearance bell first evil made character unique time bennet wife also really good rest terrible simply forgettable leave bring global warming hoax comic book action series global warming actually believe year weather common sense rating zero even think want watch better pretend season one season good show thought really different yet seen willing watch rest never received order tried contact supplier avail working refund thought add rating season structure like thrown hat bought season episode network hotel slow watch comfortably site season brilliant fresh inspired afraid take season rather insipid afraid peter love interest whole virus really good season bring real season writer strike season completely convoluted nothing sense plot flow seriously wish bought excited season two blown away season one superhero show stupid character development plot development let season two deliberately tried stop previously actually came loathe due shoddy handling sincerely hope dead girl got last nerve even begin care utterly useless new even villain boring hiro big story arc nothing predictable actually annoying time gaping plot throughout story finale abrupt utterly non climatic much let season might watch season three looking forward nearly much might put effort season sad great show may well trash whole thing one poorly written season bad writing well writer strike blame laid plain season one comic booky mystery goodness totally ball year even strike excuse rampant laughable dialogue complete dismissal continuity horrendously acting production quality also hit rock bottom shot soap opera stage give people hard cash perfect world would paying us way apology sticking around season three express disappointed season bought first season stayed night could finish days pull away season came even close short season also strike one biggest main writer first season left show went story keep several show left hanging go away real resolution two need ask determine whether like season therefore think greatness season one anything happen seventh time season one creepy middle aged virgin watch show solely female answer either yes buy season everyone else stay far far away season basically make season peter understand dating idiot inexplicably alive city peril hiro well nobody exactly hell hiro staring personal feudal japan soap opera show honestly understand nobody see season form season common argument part unbelievably well season complain season essentially tell already seen second time around already knew basically season solely type people spend time writing erotic fan fiction peter good thing season hoped would develop strong ending virus arc gave us short glimpse future like season hoped would virus arc way bomb arc season season fit two maybe three include commentary disk three could put entire season two include well real reason gave two fact picked unaired cutting room floor fill fourth disk addition originally finish second half season smug comment looking camera show moving different direction place find lost footage buy really disturbed maybe written corner decided scrap second half season would hard finish season properly hoped season three would fleshed virus detail however smugly fact change scene peter stopped vial shattering ended virus arc make worse included shot get fourth disk also extravagant basically cost shoot several two scrapped would better leave instead giving us glimpse would great story long hiatus sure blame writer strike desperate finish complete season understand associated finish season bad enough put hold half year business leave project half done would deserve getting fired instead get go vacation eight getting deserve go strike ago lost production much season although production quality amazing extremely rushed way many cut taste rabble rabble rabble find hard believe making possible mac watch guess stick show go history one disappointing ever see build season one intense finally start get surface end season season feel wish wasted time end season one give second chance although grown gone new kind odd well episode lost somehow giving little bit one highly irritate best thing happen season writer strike put season misery decided cancel rest season try next year season even stopped watching oh second season painful watch show could fast forward would get back track never kept fast forwarding entire season season great never season maybe season better anyone still watching sad see show go people ray ray set mediocre season die hard want see season sneak peek found get set long run think missing bonus feature important universal would cheat ray bonus regular especially considering price ray set overall bad customer experience minor blocker content interesting though left apple bow price charge per episode apple content exactly price guessing unbox terrible name currently fraction drawn play another apple doomsday forecast anyone educated insight season addicted brilliant may think season season essential purchase informed sophomore noticeable drop writing quality acting certain cast ahem ahem overall bad year treatment excellent audio video quality rarely better problem bad boring ridden plot want ever even access special retrospect think watching season necessary understand happen next sure whether fact compliment criticism save wait year watch season forget season like forget bad nightmare probably disappointing show ever watched imagine level wonderfulness got season one exact opposite short outrageously short even realize first watched last episode ended leaving everything unfinished mean really good hook ending plain like people got away middle production really think positive thing say season disappointed three since watched full thing still fuming least x good die horrible death giving us solid miss going completely barely keep together one lack creative vision execution direction shame taking best new show making mockery everyone forward next week felt incredibly let horrible anti climactic confrontation end season expect season make fact quite opposite leading one see end season nothing portent come given many television series slump second season live first slump plummet smoking wrote season pretty much rehash one season stuff made good taken plenty stuff hate added getting shot random thug season peter amnesia working mention new season nothing suck screen time maya boring west made want kill doubt ever get back season even always season hanging like curse saw th thought would try catch stopped watching second season stopped watching even though first season second bad though watched last season thought kind fun trash really pretty bad bit writing extremely predictable surviving worst human nature always see end even know end going relieved universal decided abandon put unwatchable format temptation bright enough insist video cross platform also keep reading rumor raising per episode price nearly season going people addicted behavior universal music industry dying ugly death people say review show well show lame predictable cuteness hiro saving grace every episode last season watched zero second time buy watch multiple times kind pulp fiction trash engaging long moment leaves nothing behind time filler nothing bad found appealing kept reach potential felt completely season ended interest unlike eureka psych second season sure third season losing mooning love witty amusing show thought since season finale mention discuss family view ought buy another season single word dissent much love say strike cause mess season really strike came play last season bad episode offense quinto part boring villain sure got god everything bit dimensional liking sole purpose get kill people personality believable motivation real reason apart blatantly obvious magneto joker green goblin numerous super way interesting real made seem real season interesting villain agenda would great recurring villain complex personality agenda kill like interesting ted would nice recurring anti hero show dead trend killing half almost every episode silly really struggle main seem like wasted effort matter everyone around going die anyway seem heroic much suspension disbelief possible enjoy first season example character running fear life high school beautiful house family even dress far limit revelation end last series someone even worse lame predictable plot device someone good turns evil vice believability main writing string dramatic rather coherent plot would seem watched apple product disappointing say least loyal user least two month decision provide mac easier switch product better get resolved mac first season good literally edge seat every moment could wait season two come watched disappointed excitement season expect mind blowing entertainment season one provided season one phenomenon someone making show smart sure plot going along ride season two upon us writer strike going bad yes yes bad worse took cockpit one best television fuel come action excitement special effects perhaps found season enjoyable fault prone ask silly like two people past ability freeze time thus literally time world discuss explain need come devil would someone ability regenerate know x would result permanent demise even person stupid character someone desperate need plot move particular direction show leave season veteran howling pain watch one female devolve character date marvel decide killing people cleaner thrill slow moving blubbering dependent cipher gawk writing shallow practically read outline script boggle notion anyone actually thought really spare know extra could rate price tag half season terrible one many new without flesh time away current cast end everyone pretty much back end season season great works self story arc hold hope season season even worth huge fan series season religiously posted read every post speculation came season general drop quality skipping much auxiliary story line possible skip end hastily put together season care look season honestly season feature done great job season could good series premarital unnatural sex featured turned another soap opera worse teens sex totally without realistic review watch might honestly review watch nothing say shipping service great waiting season come glad got first bought release date receive disappointed regarding quality even quality compare original season complain product though believe season great first one first season extremely disappointed season tedious depressing constant simply irritating nothing reason gave instead good looking completely hate also believe due writer strike season ended rather abruptly way happy stand sight smash near constant stuttering mean give break already let hope season better watched first season equally season young ladies looking love season however would recommend vendor new received scratches finger yuck full violence fighting teen sex drinking drunkenness adultery life beyond normal edifying uplifting exception film lame script murder bad guy potential rapist separation family good season series everything great concept fine excellent lame decided would cool film random spastic rapid cutting worst unsteady cam know image drunk recording without image stabilization many amateur camera work people wonder series catch well reason quite obvious camera work literally quite shame yes night second season allow derisively clue ever since last year incomparably brilliant much review night first season unscrupulously diehard brutally mediocre night series see thesis night first season show love subject matter people small town football contrary thesis made emotionally powerful argument said series actually hostilely bigoted anti gloatingly delighted red state unflattering airing second season second season took stereotype first season made even harsh review single focus especially right diehard fan night night series red general earth shattering thesis mine based primarily examination major course season intellectually honest know impossibly hard diehard stubbornly fan admit fault product slavishly love see way based evidence present communicate unflatteringly low minded stereotype slack jawed yokel take supposed star football player smash consist mostly play sum football morbidly obese mother stereotype black mother line smash boy youse git sense head ever like stereotype fulfillment becoming born consist mostly sweet lord huh still continually drunk stoned always like ya sleep wit ore huh aside utterly slighting normally gracious southern accent way red show even get air plot development many main proceeds unflattering way demean red state example early season resident character offensively slow southern drawl talking actually murder crush talking actually cover murder dumping dead body river moral relativist flagrantly due amoral explaining away said situation struggle justify commit murder save however southern disparagingly horrid manner start covering murder worse dad policeman yet son murder cover burning vehicle dead body transported besides liberal smear campaign policeman character dad also guiltily evidence hypnotically muttering plot arch dad cover murder one worst character red ever wish could stop easily gratuitous liberal anti red state bias getting next blistering character southern career defamatory way pregnancy characteristically agenda driven child character degradingly woman getting depressed baby becoming husband coach needless say undoubtedly liberal attack typical traditional suburban family real one dad fake type family see like harmfully withdrawing depression minority way giving hurtful opinion think normal everyday charging said really incapable raising properly one distressing red state way coach daughter rebellious make lohan look like nun comparison throughout first portion season relentlessly shown get normally close relationship unflatteringly proverbial wrong crowd older poisonous like also worse worse ask hell distinct like misconduct character way like something blue state liberal inner conservative small last straw broke proverbial camel back also thesis pushing liberal agenda us system aka best world bar none subtly via street character paralysis first season cripple shown longing travel illegal immigrant hellhole hazardous experimental surgery false hope stem see ignorantly said stem cell surgery cure paralysis listening long additionally story arch also liberal ideology stem cell research audacious criticism us apparently failing enough area travel illegal immigrant perceptively award winning review first season whole series nothing cynical transparent plot show worst possible light season even unflattering anti red state total parody offended watching season felt like victim awful fact ought lobby get show minority instead victim society luck ordered item ago along order season season play season never send conformation notice saying sent arrive thinking maybe running little behind nope still season want receive want actually work love every episode show pay full price season joke wise lower price reasonable number buy till series office season bad es un con dan de en mi vale la si te la brilliant show favorite season terrific well needs go back lost money wanting charge much episode fair leaves idiotic service even compatible mac would purchase instead may like many illegally thanks thanks wow disc horrible many times eventually stopped disc lot disappointed set unfortunately stuck b c overseas hard trying return love office today however feel need charge much season half long writer strike understand probably insane price need read realize many feel way cut price bit expect sell full season agree willing pay regular price insane trying take hard money making us pay strike well say fine case fine missing sleeve goes around case little stopped three season four show humorous stupid one episode example driving car system car right turn bear right turns right lake know show losing even demented season four still laugh loud funny times usually enough make worth time reason watch season four soap opera interesting going care enough office one problem support mac lost sell tonight going buy season good way business bought via apple jeff used respect days helm today show actually ruined return episodic really watched show since good move jeff mac support poor customer service successful seamless transaction process functionality fixed unbox video business suffer look forward raising service service product case came crushed shipped simply envelope piece case broke one inside wrote seller credit account half cost let know watched disc viewable never account also looking back another set seller similar problem purchase ever disappointed season like fun truthful comedy soap opera season mike weird nice guy idiot becomes hysterical type worst love kill fun completely dominate plot plus fact best season something based full season set season four closer buy see discount rack season great though funny guess everything goes hill anyway bought past first day available one would buy nothing even full season even around according web site long season ridiculous season min season min buy used later office terrific show many would consider one best decade doubt took bath past television season struck season series truncated also doubt big recover us selling less product full price good capitalist question right also right obligation send message going take overseas military lot little opportunity watch television accordingly seen season watching schedule way get watch worth watching nevertheless forego set least price fair buy like good little sheep us see thing short continue take advantage wait poor price eventually drop hey mac smart funny want buy smart funny like office wait wait wait hope paltry agree gave single star full season priced bought first season around lot season felt price fair pay season way much opinion also favorite show would like echo vote support mac way think show directly music store could certainly mac friendly format publisher create mac view usually leading edge store favorite place shop bar none really hope make video available mac soon get voice love show watched repeatedly season new used witty genius turned obvious slapstick also depressing tried please office better season best far season crap believe got day came hope season better office actually place office took day min spot error dose play know show think whoever trying make lost fancy word money strike season four hilarious series death knell shark several times two came pam naive crass yet sympathetic character turned cartoon simpleton going far kidnap pizza delivery boy even mention idiocy driving car lake pam one time heart show two star crossed people found humanity else working strange reality however season finale moment pam away bait switch tenuous hold favorite series broken whatever writer thought season finale end fake proposal watching jenna say much without saying word booze cruise sad oh mighty fallen far set goes paying strike season less ever plain robbery ashamed reward stuck entire strike gouge cash register oh really try make time show love instead blowing seen couple bread butter show trust love rock bought two season neither work tried three different highest rated machine rated bought luck go strike along ordered copy play player assuming issue returned got another still work like office stand watch either poor poor acting care nothing equally bad bad give love rock praise show enough huge fan watch every minute bonus material included discover serious problem special section disc included panel discussion academy horrible audio quality mike way rest cast distorted company nothing correct distortion doubt present original recording could least fixed gross level anybody universal quality control disc imagine anybody could allow audio bad commercial may great panel discussion academy never know bad audio quality made impossible listen able convert creative x fi portable device although device work good season one strong come much writing play mistaking character make humor funny watch episode several times find new joke every time cannot say thing season two jack alec lost edge inexplicable reason right get go really funny falling apart writing written found lot said far sincere character series imagine fey anyone sabotage baby could wrong like give benefit doubt think executive came take ready working fix hope case goes show focus group data jack mean politically incorrect genuinely funny needs stopped apparently jack though entire group dynamic show lost show character driven loss make good television disc came almost whole episode easy worked mac obviously try beat apple game win offense great meeting shopping needs exclusive non video might well paper weight another great season rock almost enjoy wait minute season full price price selling rip deprive eight one favorite try swindle giving product worked television several enjoy show spend entire episode laugh twice funny never understood show love many far entertaining like met mother far better x z w n b way make show like watch make sense waste money show acting also pretty bad artificial love series already first since season abridged season strike get would want pay high price suggest cost season account reduced quantity even would agree numb bought one show way would buy seeing season see would go quality poor even watch entire program tried anything else demand experience wait entire season disappointment season disk able due fuzzy poor quality returned set stuff got refund since season another seller found excellent series exciting adventurous one favorite minute make laugh days left last program love hate trying get anything forever right waste time money second time tried use program get third chance series made lots fine wasted acting puerile practical one another generally childish unprofessional manner times quite clear even believe say show bit maturity sea dead doll precedent motion season premiere get commentary irrelevant first season premiere come team entire state search frantic search woman fact bomb team ready murder never got commentary shell shock left nearly dying first car stole clark county later desert none properly la cart go hell chick chop flick shop mental burnout untouched season remainder jerry television universe fully solvent crossover event without trace c without trace season joining new york jack work murder las criminal new york event commentary guest gamble even special feature major milestone dick even play option could watch get big piss still yet get play option crossover dealing still burnout fever pitch good luck face past west hanna also works case domestic violence past head know done dick west college hanna west none happy brother living life hanna west gotten since unusual suspect back season brother cannot accept living without west jail hanna west full nervous breakdown finally commentary fox smith discuss return great sequel episode resolved season first story arc get nothing directly affected strike bull divine comedy former last air finished ran latter first got back work strike got passing reference really nothing season bull also big singer jewel husband jewel star spangled banner rodeo clown nothing noted returned method man neither offer commentary like p big lee wrote episode commentary savage surprise special guest theory everything episode full many scientific urban savage working lab mob career got little attention special feature regarding direction going corruption sheriff framed heartbreaking murder jewel saw coming burn beaten death j new york saw coming somebody supposed trust supposed trust team us even saw diabolical murder id season finale season premiere lying dogs us covered none lost got nothing lost got nothing another sign common senselessness mindlessness even glance swap c half men lee chuck write c carol long got pen half men told write c new witness actual autopsy agreed got work penning half c return c staff wrote fish drawer season half men sheen c show based murder victim writer series television past brass go la investigation sheen seen special season f ked television event got absolutely nothing know give television event notice warranted half men n season special feature swap detailed consistent vivid look also included half bonus episode season c could get could piecemeal enough brain put fish drawer bonus episode never received item repeated contact seller gone unanswered buy seller watched every season every episode far season hopeless boring kill particular even first couple sparse self indulgent watched episode episode waiting winning formula old saving grace poison dwarf short young girl big ran course many las even one episode without trace disjointed god best series sure watchable worn boring brass ever good wont tried twice times first disk season play please read carefully third party difficult determine would say following direct season due strike first three repeated strike quality remarkably different grainy unpleasant watch question new never used description meant known third party would reply inquiry exactly information story quality remains pristine long time th season least complete collection let hope season hold p j today review survivor china video stream watch many without conflict trying watch season survivor via best sure c mon think try certainly worth aggravation bummer love otherwise stream really sub par video constantly hulu far superior instant video would recommend method watching anyone spent told could watch got episode view went watch told could watch location somehow figured computer therefore watch avail figured time time told viewer program could saved heap time money waste earth sell set everyone show country everyone work new fangled want watch take ten life trying get computer please please love survivor series whatever reason one click actually stopped watching season never stopped watching season mid stream although since likely go back watch end maybe like maybe get positive sense china landscape culture least far watched possibly maybe connect disappointed giving season low rating come back watch rest maybe change rating point definitely least favorite watched got free likely complain lord bad well mediocre effect like listening cat slide chalk board derivative badly badly paced unfunny likely missing something millions people watch buy one episode watch one decide caveat emptor yes know pretentious may even wrong show really wife even trying hard show unique feel like clone everybody family based together one mediocre show one wont find self season pass soon almost work maybe even work mostly comic comic might seem like bad thing much forced setup lame comedy situation part get fairly almost racy though nice see many tame mean whole shocking coupling perhaps suffice already free least world would buy buy review know came list review show disappointment love version show one acting poor sound poor sometimes volume slightly grade camera bounce one kept clothes island one special plot shaky best two starting wished wasted money spent funds felt see take last half hour shut film put though workshop order save cast crew whole lot embarrassment video season place tried tried looking set failure tried need tablet poorly written anti climatic waste many talent like show available terrible audio mix driving crazy laugh track music track way dominate volume audio track turn volume hear saying bam music cut scene really need fix tried receiver mix center channel place audio channel comes music laugh track really loud might want go elsewhere show know supposed funny tired cliche abound good condition case plastic flap inside broken think show great want make sure whoever season purchase purchase company season received season disc disc notified said would return season wait money back repurchase different company left negative feedback promptly saying would fix error said would shipped completely stopped communication three contact problem money giving defective product apologize sweet talk buyer buyer contact skip town buy steal money give faulty disappointed item mainly rated region could play hence watch area wrong barb disc completely smudged also plastic protective release date unknown original produced industry theater version file size huge create smaller file size version compression individually tuned entirely incompetent according ghost competent people even tune compression every clean shooting scene added various sound effects visual effects compression individually tuned every episode every release version competent people even interested even best easy see story fairly interesting creatively many story streaming would bought known unbox highly ineffective program terrible program comparison ease use program ready watch impossible use never use unbox definitely worth frustration disc set play computer age house set play computer running aggravating first season made think going true book however theme song get worse season hate second fourth season player however cannot get copy season three player ordered three three play first two sent back return third tine told seller works fine player received seller believe around saying works yet received back yest received credit told would receive four waiting watch season three season four hopefully someone help situation cool start music conspiracy may either trouble insert make loud vibrating noise even play guess must balanced something month never order contact seller twice response series lost writing mojo season weird inexplicable character shame really fine fun series wonder unit going new guinea episode late season involved stereotype though cheap got episode season involved single engine piper cub though thing multiengine j anyone would want commit terrorist act one vulnerable general aviation available beyond trust plenty cub time cheap use get watch bob chasing cub little clear view side window wide open whole time reason shot done old cinematographer crouching ground era everything earth real action external meanwhile rest unit back airport standing ramp blazing away roof small hangar reason suddenly hit broad side well hangar gave halfway episode never watch another obviously series longer afford high production capable give two rather one good unbelievably great know heck season beyond hard believe anything unit season season awful story went crap music show appropriate cadence call fruity love song show delta force love song theme music waste money given writing ruined season thing sense strike group obviously get result strike wish taken anger frustration good work season total disc per disc least digitally half get watch first half different disc leaving ending mess every happen love watch part series seem play series well interesting intricate wonderful mix believable balanced dash humor comment understand everyday funny way sad great show humor excellent plot promise romance deferred keep audience interested could eventually get together like long kiss first date always around corner keep tension alive episode episode technical set presumably many many people watching least three know major turning point series season least two major originally bought box set major bookseller return policy bought disc set thinking isolated issue alas second set first disappointed better job quality control even offer refund replacement set actually worked well worth watching find flawed season three several set one defective cannot disappointing think twice order ordered new yet lot tried many skipping excited season three mail love show even woke early day would time watch find upon opening case season two box season three upset wrong product replacement right stand alone remain entertaining true conceptual formula series never able pull significant character development extended plot without shark season killer season finale make disappointing television seen time amazing program swoop excellent interest crushing overall feeling left one stomach season three whole worth money show improve age acting staged interested season easily show season writer strike excuse ask considering favorite affected strike still complete little whatsoever top quality writing never suffer whereas quality severely get plenty booth fluff love get shafted favor usual show often predictable unbelievable character even though cam get much screen time comparison booth make season finale slap face many included seriously considered dumping show sloppy made sense end simply writer rear rather carefully plotted spent final episode shaking head disbelief fury screen fuming good week two episode still furious finale type review however curiosity shocking finale season well love try give new season try august holding breath since clear really give hoot seen season yet prepared disappointment anger engulf end poor quality every know player bone season perfectly falling really think rabid want fill used love really main great chemistry entire cast greatly show making refreshing change rather serious homicide investigation really made show sure one show would never play shock audience killing main character game finale treatment one show beloved totally ruined series one family chose turn character murderer crime formerly genius suddenly weak minded fall cannibal mastermind plan yeah watch see love turn teenage horror flick shock value even watch one two every time see character screen ridiculous fate waste jeff actor better series better luck next time watching first vampire last two common steal original stoker liberally stolen literary rice vampire canon limited original stoker imaginatively rice buffy vampire slayer show movie amazing dramatic show spin angel said disagree said moonlight rip buffy angel supernatural moonlight pantheon assorted evil buffy angel gang frequently also moonlight occasionally far vamp show moonlight closely forever knight short lived crime time prime time early late night show set shot mick st moonlight unlike nick knight forever knight longing human angst monster featured main character provide conveniently built emotional tension character relationship development plot historical featured main male vampire character dancing around attraction beautiful human woman knowing relationship could never without danger death terrible outcome human turned vampire condemned life darkness thus two therefore locked perpetual state unresolved sexual tension jealous interference plot device half heartedly able pursue romantic truly available er species living undead also plot like nick knight mick st drink eat nick knight made cow blood mick st human donor blood moonlight quite similar forever knight point may want stop reading however clever forever knight big bad sire vampire used female vampire protege lure nick gift eternal life provided delightful mentor protege possessor possessed relationship mick st ex wife sire moonlight apparently evil female vampire lived mick made vampire wedding night obsessive relationship tried break free many times usually never vampire even know one married made vampire without getting permission course trust perspective gave gift eternal life freedom death familiar like forever knight crossed fatal line however human girl make little family familiar eh rather like rice interview vampire mick time vampire good private detective though directly stated good pi guilty bad done vampire capacity girl mother find daughter beth mick discover wife innocent child demented ploy win back another invention moonlight wooden kill paralyze fire kill moonlight universe mick pi role first episode distraught mother little girl crazy ex wife lover sire paralyze place fire locking little girl returned intact family thus mick distant relationship beth turner reporter mostly magazine unlike tabloid cox character lucy show dirt except less celebrity local crime story sensationalism mick eye beth afar new case la cross first episode moonlight thing beth grown beautiful journalistic news whore working mick track may may vampire killer score big win editor mick works protect eliminate threat secret existence la strong encouragement amoral vampire friend year old vamp formerly watch episode fact watch first moonlight watched web site full video eye candy good always vampire genre dearly portrayal knew catch show show already many production bad writing first episode stilted dialogue cliche plot utterly predictable plot however watching show several show beautiful corrupt clarity noir look dark decadent sexy shiny screen got screen presence despite poor material fairly set acting tiny facial slight body position language communicate major competition share screen amoral jaded vampire role hilt practically eating scenery sophia actual vamp prior moonlight first underworld movie bad piece eye candy female persuasion chemistry also typical stick thin looking actress girl got little meat unlike many actually occasionally like real woman finally show sense humor sarcasm city set la surface majority people business keep going first episode however straight b movie b hell thought eh pretty watch next web see better mainly knew would come back pretty enough keep coming back much show based first episode figured would guilty pleasure something watch much else surprisingly getting really good lot writing relationship growing role mick ex wife vampire sire still eye candy feel guilty watching actually watch even got via unbox credit mostly recent episode tension beth mick also increasing tension mick happily amoral happily non human friend unhappy secretly self mick longs cure vampirism way turn human seductive fill story mick went bed happily married man woke monster show grab factor chemistry sophia nice slow burn truly nice homoerotic chemistry well sexy though still network permissible later looking forward upcoming make mistake like angel buffy forever knight well like interview vampire days night moonlight vampire entertaining necessarily vampirism behavior emotion dramatize human provide backdrop sometimes excruciating must make lesser two three four emotion reason decision making still vampire result people outright people dismiss science fiction serious literature know genre extreme thrown compelling television perspective early episode moonlight compelling neither second show coming along definitely coming along watch first episode thing second moonlight episode set seven following entertaining less like vampire cop thought would like show tried several times get watch past third fourth episode boring plot mundane hateful show put sleep seriously vampire private investigator done death think another series liking thankfully plenty series enjoying heck instant video read interest decided show sam spade hero driving convertible blue screened night much take show tackle many comes empty handed found year old friend mid th century pad promising morgue commentary finish different blood strained plot regarding blood cult stopped watching end curiosity denouement blood sniffing made wonder long hero case based tampon left scene crime vampire since keep waiting next great even good one best acting overdone camera work novice production quality poor higher quality free think collins director actor killer old man police make appearance would better either acting story collins dramatically story vincent price outstanding reading story think would taken much creativity dramatize entire least story one upside film story remains largely unabridged minimally actor fit bill wish use poe unit conjunction tell tale heart people want waste time sorry buy want glimpse show full may include half found many leave minute episode searching hilarious skit w one cast stripper finally found episode skit cut many musical really care musical much major let incomplete product though various well certain musical way know music included foo bon reason one best disclose bit information refund money stolen people hear good music beware episode missing monologue whole reason see one amy singing duet opening monologue comedic version feeling musical wicked well precisely episode buy watch reason maybe due something needless say disappointed going edit something would considerate say cut way buyer viewer waste money part see hell purchase reside within united buy bon even though screened already still purchase live music darn shame music get complete episode music actual disc peyton manning episode mainly watch sketch unfortunately sketch included neither sketch also hilarious even watch let alone purchase bummer huge fan series since inception series since beginning terribly disappointed approach telling story first seem intent leadership time whether situation r stop preaching new crap every lull fighting stop talking least advertise warn show written adolescent audience thought irritating weird got oh yeah merely arbitrator start head endeavor making command way pay grade experience let forget irritating obnoxious character land rodney stupid arrogant humanity self centered cowardly oh yeah always one wearing country patch one else starved recognition shove stupid leaf time please kill crap hire tell story instead searching platform force feed garbage great brought sam carter set great character actress strong capable leader let lead get rid condescending think name know alien found living stone age initial series abandoned people seem unknown reason like second third command intimate knowledge earth based ancient technology somehow anyone ever even suggest offer acting really spend money love interest fire bum teach act god sake seasoned fan season special entire second disk want sound entire season exercise strength intelligence alien enemy ally ignorance stupidity male last time checked human equality relevant cultural goal made mistake junk borrow set check nearly every episode want balance entertainment forget writing boring transparent palpably annoying political correctness superficial social commentary love sigh episode anti god say show really come behind shroud never watch show shame really wish people made could learn respect everlasting life line used wraith episode term used often show trying implant thought head bad episode lame walk something said healing sick make guy spouting half big trickster schemer much show trying brainwash believe evolution hate god still seller also e gave two show supposed video demand watch high definition computer quality look like high definition maybe next time buy try episode get better quality sorry cannot give review unable watch returned refund many cox show great prime service times x per show understand though connection issue works fine know issue cancel service fix season good went downhill fast fourth episode turning season worst season franchise history nothing carter addition show however missing critical throughout season gave impression making unrealistic know real franchise always proven adhere real proper military conduct season really looking forward story arc disappointed arc three missing kindred start never seen television character badly written screaming like six year old seen jewel firefly know act favorite character even make something poorly written character know fault forward like missing trio turn unendurable almost every episode character unwatchable furthermore first something thing rodney couple later happen next season go bet made even woolsey season thanks great show oh let believe get real back suddenly clone repetitive unimaginative many watch quality television got mediocre entertainment best every female guest star year old rodney go show quite would season season season season would even consider watching whereas mediocre best episode outstanding namely midway midway quality however buy season give season live probably buy reason complete collection believe th season hope censor review opinion season episode filler episode progress theme series anywhere wonder episode victim writer strike one favorite longer available happier see quality amazing later find anywhere send customer service leave want know threw got quite awhile becoming bit horrible service lately literally refund money bad service one occasion ready stop together resolve zak season broke formula ended suffering still pretty good main complaint shocking lack special worth buy need catch series collector care special beyond lame new season earl prison karma nonsense half baked prison thank god lee would really blow spoiler alert first two best unique seen season earl taking fall joy heading prison could possibly work show clearly lazy turn show extended episode simply funny joy never calculate history character magically guy witness protection program whole family living area shown twice national consequence randy becomes prison guard episode know look crossing street overall time variety ways first two smart heart warming season really made want see season say earl lost groove proved one biggest let series wise long time karma intended simple name earl never screened television came pretty good reason story line dumb r rated beginning become stale painstakingly lengthy could sense scrapping bottom barrel dwelled homosexual rival night prison want good great series stay away season three first two successful third season awful idea format slightly understandable probably getting rut problem show really good first goes prison time crossing list goes coma worse lot worse also previously funny want shock also slightly whole concept work really bought family guy thoroughly season season far poor recommend show use great first came show full show use funny cut away use funny done supporter family guy regret particular purchase mainly first disc inoperable access originally going give one star able watch sort disc family guy life great show unlike anything bar fame seem care first vol two really show craze popular funny main reason first second vol great reason recent arn half hope take care also show self suffering homosexual far violent devil use show pushing old keep everything think family guy going way used funny show since family guy never episode unique funny every sense word lately however series away random slapstick current show becoming politically correct humor leaning toward specific rather everyone plus fact blue harvest available season crime taking advantage forcing buy episode want milk everything got positive step opinion great show yes charging much list price half much regular season show show use laugh loud every episode downward spiral begun family guy lost lot humor volume season quit preaching politics make laugh volume sorry mind rip whether fox show previous see political agenda sorry watched show forced listen someone else political ideology become worse humorous memorable thought diehard fan sadly call find laughing nearly much sad indeed await day family guy political dude goes air sorry family guy used understand negative feedback receive show entertain agree lower new family guy good peter used really lovable character way overdone like wit show shock value family guy always sixth season b preachy yes know like pot like ex president bush believe god want morals season shut funny still watch although actual product good cover say picture rather lie bought previous family guy gave good happy remember family guy funny making fun everyone sadly turning one making bad used love displeasure box set brevity milk us worth show personal every damn episode one say enough enough whether want bush admit wrong want believe bill president ever bill adventure want think everyone south mason line total retard airport become clear show longer care making laugh want push political agenda agree feel right television show push like abuse power better bush done great country last better people mock show used cool formulaic get back family guy begging show since day seriously recent look amazing watching past decided sell anyone else volume lazy repetitive unoriginal seth gang need stop spending time selling atheism hatred bush honestly making fun president like shooting fish barrel hope strike lose dead weight writing team awesome show sadly seen beginning season think time family guy take bow used love watching family guy older best back show humor political understand seth allow put upon ignorant know better episode recently made comment laura bush killing man whether conservative liberal republican democrat whether love hate bush almost everyone laura bush attack absolutely disgusting show ashamed cannot believe one favorite turned something many horrible destruction film would agree family guy use entertaining show watch laugh someone political constantly face item gift every season however show gotten preachy uncomfortable watch good fashion stupid humor think day need min pure comedy feel good entertainment like watching democratic hour many enjoy occasional stupid peter however tend change channel episode always kind offensive made dunny made fun everybody bad ill miss show could emulate old find self watching watched family guy quite time nights watching simply ashamed support show used enjoy show simply cheap sadly cheap seth agenda south park message show often message show family guy always fast moving dirty funny fast moving occasionally funny preachy get seth democrat hate government let get back making people laugh least make intelligent substantial argument rather simply spitting general direction disagree making laura bush getting scraped want show get better buy simple buy vol either know several ago one many thought back family guy great idea three considered better south park loathe idea seth green show made painful watch kept trying give benefit doubt every new episode forced absolutely almost plot line every episode say thing seth bush anti military show may work twice every episode even watch older series old pathetic obviously many keep making show laughing way bank show lost magic lost fun longer funny save money worth first say family guy show biggest crap television anyone still watching took one favorite time turned exact opposite longer evil scheming anti involve clothes homosexual situation people half pure garbage stopped volume see death rest mess repeated old humor cut half sold price even like show still least try get worth reason bought get original cover fine far major disappointment volume inferior production quality family guy far say vol biggest disappoint still plenty found think vol like last slowly providing less less least biggest annoyance vol heavy left wing politics big believer laugh people able laugh volume really shove political view throat think lot away show conservative horrible insinuating need gun control school funded religious people crazy bush devil could go first three sure funny becomes point making comedy really political people two three work made noise player family guy become garbage cant believe people still find funny downright sad watch amazing show become really scraping bottom barrel tired lame use take time chicken fight twitty seriously roughly per show trash ridiculous ill stick south park reason kept watching content rather painful understand people wrote much lead character annoying script forced ugly heavy sigh need go show know one minute next dramatic mix could work better writer director show either one another problem even though show funny worse plot device main character speaking camera seriously actually funny truly hungry show may alright would save money try find way see free little guess one looking something free want purchase episode part teaser inmate outside chain link fencing really nothing stated seeming action got convoluted stop watching never seen tiring way could work movie blah making fun pretty dim witted people talk low hanging fruit get watching thank much even believe stupid look felt repetitive going waste time watching watch get life really could funny use really ugly stuff part thing joke whole season six one program without question one wildly inconsistent history funny think injure laughing usually high factor crack smile moan groan one latter show around one sort another previous episode incredibly funny campaign baby killing without realizing calling abortion mistake quickly couple oppose point might need another licking part dog anatomy funny usually mere instead human moral unfunny know category man dropping ken host recently recurring character detective van would recommend skip episode season premiere instead upside episode series tradition show history either would dream touching necessarily good thing remains show ambivalent either one one worst upside one episode wait week find something love downside week may feel differently next episode going make short painless love show love way interact said hate quality let first point brand new player maybe four new player back season part ghost disk fine brand new disk first episode fine middle second episode skipping quick skip like digital mess bad wasnt worth watching third disk disk made first episode mess checked brand new scratch hair dust whatever would take something like happen gather problem disk decided exchange another get one doesnt next one get refund like said love show would given feel put work properly know didnt create show mine would want decent work following time first entire season season two split two different course price entire first season season three part two bonus none also include program note entire episode included charge additional go made nearly impossible reason misled gotten last money following sure show great could see copy froze many times disc three thought bad set know bouncing mail one target disc three one two quality issue seeing two two retail thought big vision may learned season two sound although ghost good well worth watch worth frustration quality lack additional also quality poor disc three even play stay away big vision quality thought would like look like like big head booth clown thanks full episode show short little bonus content thing worth wasting time watch thought give new service try found two major three first place provide feedback unbox service second load unbox player third video one transfer afraid unbox three foolish dump favor service given remember watching first season religiously went length necessary see show great came second season dean emotional wreck sam turned fine second season get better third season comes pretty good right writer strike sudden get leaving plot overall disappointing season want charge full price regular season season provided pay full price haircut pay full price see movie pay full price pizza pay full price season even favorite show sliding scale upset right expedited shipping instead mailed bulk today th know even receive postmaster said bulk mail considered like junk mail possibly could thought residency receive time thought star together watch trick make sure getting expedited shipping prefer use default baxter star rating poor show amazing one best thereright great amazing show deserved much better transfer picture quality little bit better standard image outrage disappointed unite di la e la l non ho aver lingua la con di al non ho e mail che mi non lingua e si da per unite di loro e non film soldi non ce ce si review content rather season took place strike even poke fun episode call lazy fat issue would pay amount past season full episode one half cannot bring worth much great show episode worst episode season wast time worst episode ever watched please stop garbage like stop watching got gift disc play console tried cleaning use first order disk package suppose birthday gift husband one help fix problem days getting annoying really old realize thrown given last disc instead give two one disappointing supernatural fan watch trying collect season ordered set went watch st set readable region tried computer said message disappointing fault company contracted find anywhere said made certain region ordered three supernatural complete partner collection three came shipment unfortunately birthday present box late send back three plastic outer torn cardboard outer case multiple crushed crushed worn outer box inside one floating around without case play fine display shelf worthy unfortunately said gift get time send back refund exchange therefore option give lower review note three new leaving review three series love great season outstanding supernatural one huge complaint ray edition menu pop first episode disc already annoying looking play specific episode unlike go straight main menu offering list featured disc ray season begin play first episode straight forcing hit pause bring pop menu find episode looking last disc series unviewable would work time even thorough cleaning run de scratcher work happy camper rated one star mac also way please make universal standard everyone enjoy format like would buy something watch ever device want watch thought going another person digital waisted want cancel video demand make mistake review little disappointed since unfortunately assumed disk set nope show looking trilogy want attack pack went back product description buried fun thrilling series pain go trash get pay little movie set little difficult decipher product sometimes ordered relive good old days fi channel awesome great case crushed corner like someone stepped one lose inside amazement fine imagine clumsy oaf warehouse dropping stepping shipping anyway maybe couple stupid work catch plus side show self better remember love series intellectual property whole however set absolutely terrible series later full screen getting full screen deal set nearly unwatchable keep get better obvious much picture missing way absolutely terrible looking forward set ruined stupid aspect ratio seriously nearly unwatchable could would demand money back directly universal series got toward last program got lazy put something love pretty hard mail really bad dont know copy quite quality really grainy dont high player unwatchable really looking shame really love show burt favorite character seen really show without like expand valley include different story centered around mix master great show short lived people wandering around trying goofy one thing people wasting time real estate aircraft leasing car something different people make money selling concept oblivious guy may hilarious person camera come across instead like non stop search line witty tiring quickly wandering around wasting time amusement least waste time glad preview free would actually money see sorry call em see em like show really funny forced watch entire sure horrible thought good thing free demanding back otherwise feel wasted time guy trying act like even coming close hate like really hate already bought entire series lost media furnish way without travel light prefer computer even though already series buy even willing broken series want whole series forced first season computer second third season whole series anyway even willing pay show ago long take would think trying get people buy instant pay least decency complete series instead breaking offering certain leaving rest figure beyond fact use proprietary format kill ownership fully merchandise whim something piece code access whatever voodoo goes whatever else goes wrong alternative entire series file compatibility paying multiple times control get whole series stealing right try get back already several times way possible greedy media industry used false guilt profitable yet instead making easier price simply made feel like pay already control making form compatibility awkward inconvenient possible keep going bank despite probably break shell per season get soft copy even possible broken series offer season really feel like given finger giving finger making buy like media industry seriously want make feel loyal one great move could make simple prove content able restore get lost look industry lose disk shipped couple especially content hard prove biggest fan still new form problem saw show wow sunk whole new low talentless hack show decide men bisexual show picked bobby winner couple last gee wonder stinker show season advice stay away tequila show complete garbage ill admit watched time time entertaining nothing else watch people make complete see fall love please seriously people morals whatsoever saint help cringe see people people really resort five fame even better question people really one thing watch show people actually purchase may seem bit fan reality beach sometimes questionable feel difference reality like really teen drama reason felt like slapping reality show sticker reality dating go far say show bad super sweet sixteen think anything top show bunch spoiled deserve everything hearts desire comes shot love tequila another reason many hate mean mean show farce watch idiotic network longer connection music tequila hot commodity really haggard supertramp biceps slightly average education class come want head times square watching collapse empire weep really remember got must either desperate either way trash one many cable trash told funny edgy hip show decided try watch got decided continue listen trash see entertaining funny edgy risk trying known found poor taste try give chance part something people see nothing pull anyone even tried watch another episode later season thinking maybe got better something nothing show even worth star even good time waster whenever girl tell make sure mean polar noted selection first season night gallery lame series early th sense repeat universal misrepresentation listing really night gallery also really bad marketing charging per episode one night gallery end seeing bad th sense quickly turn ever service first six listed night gallery remainder entirely different television series sixth sense back sixth sense folded syndication package night gallery universal order beef number total increase market however seem much reason linking except weak consumer con simply plain ignorance part instead trying pass sixth sense first season gallery second third night gallery would actually use rod poor graphics radio broadcast production company thinking day age better graphics audio available make better unfortunately found poor excuse movie know sick make sensationalist evidence expect us believe documentary full much speculation garbage fact sick bother video worthless absolutely worthless really know anything universe late people clue history astronomy great respect heron waste stump said poor graphics use radio tape ridiculous would bought poor quality production r interesting show go way see free side kick drag annoying still good covered pancake horrible reality show great course rest show cheaply produced talent well talentless one exception one next door reality fame one hard follow given way fast complicated need professional dancer follow video demand service rather video literally going take single episode eh pass love comedy say find one funny could glad pay one waste time money one right mood overall material plan stupid comedian crap except small lot crude corny humor hilarious previous overall regret wasting time money near dark comparison apt really poorly done near dark would accurate dull top gushing blood silly add cheap feel far worse channel movie score acting writing end complete waste time even vampire genera fan could like moderator aside late peter produced documentary warren report version acceptable lie press really looking truth press ounce effort explore obvious military intelligence involved overthrow dictator also evidence directly president disobedience part military news film history press official worthless interview wecht one context sentence concentrate outlandish warren report impressive documentary news anchor peter absolute definitive truth warren commission report lee alone president notwithstanding report believe conspiracy proof computer simulation amateur technician dale interpretation famous home movie murder plaza topography notorious ran operation mockingbird massively infiltrate manipulate u news media unmasking high profile mockingbird nothing crap waste money computer simulation fraud film see point forehead simple matter bullet right head cut film see point right temple shot front behind picket fence grassy knoll get instead murder revisionist history please read mary monkey lee forget ridiculous evidence quiet raising family baker came story spent year major story air woman brilliant run moving around go something else conspiracy murder part going last time never get back piece propaganda pseudo documentary assumption killer guilty start period rest making case guilt careful pick choose made without giving attention plethora made ever since fatal day favor innocence almost hit work official story save time skip piece junk hoped selection would exception rule junk narrative four member cooper later material commission agreed sign official commission upon assurance warren would included appendix never nothing less scandalous peter feature flawed computer simulation hopelessly misleading public serious disservice way suggest like high treason unspeakable way suggest get two disk version documentary well major motion picture documentary president also interest parallax view executive action finally one tube conspiracy turned true authoritative neither spouting official stance zany outlandish speculation even surprising clips uncle walt money like reminder wrote report surgery done president head official autopsy begun assertion body different casket heavy ceremonial one course time bogus official view see damned refreshing cost avoid brain numbingly awful like case closed anything vincent sheer propaganda finished th credible book subject thought presentation complete whitewash convinced days could count media expose long gone well written movie although seem thrown together filler good looking couple though initially movie punishment bad worse painfully bad reason got batman city time like like rest wish could return late shock talent goes elsewhere could literally sit buy bought thinking episode pa scene episode perhaps mistake still sad episode like mistake forced give review want give first place firstly let say happy support getting something people get like short hate heavy bearded guy bit small town theater concept interesting watch version plot pretty good going soon thought title interesting wrong shaky focus version someone home movie waste money video producer director writer description used describe anyone ever poor quality home video fact video nice focus picture cover far cry quality video walking around hand video camera taking footage family vacation see countless video two people majority video focus shaky narration non existent except occasional background talk actual narrative sub added couple camera recording could assemble hour various put together much professional tour video home video real travel video film unspoken sure heck lot dialogue script fact dialogue basically whole film better left unsaid movie say everything want want say story finally cannot say experience fact film interminably long three main quite annoying watching unspoken like trapped small room three people really like care end free sapping live personal also found film pretentious montage narrator posing deep philosophical meaning life story philosophical unless whole point film existence futile meaningless case mission accomplished even film work writer director marc made film stepping stone purpose showing potential film really make capable making feature film actually thought would interesting movie five people stuck room together prepare commit suicide people come interesting remain film little way know something really bad rest world apparently leave two yet exactly either routinely make lot noise yelling put end suffering brother guy decide father younger brother also somewhat peripheral although unimportant main story take little red though guy want get course since better left unsaid confrontation deep emotional conflict misery especially hapless viewer idea going outside world kept whatever would force way room put misery killing least shutting certainly hurry commit suicide even make decision go make whole experience even exasperating could never understand final line dialogue film help maybe little hard unspoken certainly effort show end world might like small group people powerless overcome fate problem compelling enjoyable film watch movie nice acting poor could finish basically movie cheap vehicle cheap romance redeem setting countryside time period miserably waste time brain presence criss angel actually chopped particular full two talent well admire perform live great pressure harness criss angel agenda simply advertise spoiler alert episode one point one contestant unfairly tell envelope pocket nothing act whatsoever rude unnecessary opinion jealousy part criss spotlight way get create drama purposely done increase show since totally place say cheap trick another criss spotlight opportunity criss respectful people starting needs quite honestly show pure bunk watching ill figured like got tired self pity regarding little vacation time criss hack looking show stepping stone opportunity help rarely anything positive say get feeling better everyone well guess maybe way suppose judge give constructive criticism get anyways point stand show criss please get rid bring someone else snot nosed brat hateful self important little people talking made decision release season ray reason could sure find excuse continue loyal pathetic glad finally ended abysmal uneven inconsistent series sad franchise end poor note season final season crap final season calling one season another final season absolutely sense rip people thing different like show however different misleading attempt trick people multiple copy thing make money show awesome shame different really would say mediocre made movie sure made could thing might worth watching choose movie like movie really exciting bit boring would recommend people like made bad acting uneven cutting hard handle tank shift fact chase grew kind movie best time probably one better perhaps bad acting stiff character development exaggerated crude hard get flow joke even intended comedy day worked could chopped exaggerated still funny really hard finish movie like aspect least chopping young sucking blood like recently suggest wasting time unless self movie critic able discuss movie business yesteryear interesting without reason people think producer writer director larry like roger two men actually making really true see back day azalea group made deal international produce series ultra low budget eight total believe television thing eye appear reason seem much like previously material actually like world l invasion saucer men get got good written directed film thing agar brain planet messenger death along stock company tony eye curse swamp creature pat needs creature destruction fletcher needs year bill billy eye curse swamp creature curt scientist working united rocket control station sophisticated laser satellite space satellite creature aid scientist thinking alien save mankind taking control planet essentially turning communicating creature kind wacky hi fi set living room power nearby series flying lobster grown body less implant mind control specific power thus providing ability control curt eventually sinister plan wife also one amidst panic streets curt must try find way convince friend evil may late number annoying control good lord like movie completely boring much actually dozed halfway awaken discover really much laced technical sounding gobbledygook obvious exposition pretty ridiculous acting great line general fletcher rocket control trying bring laser satellite ride unbeknownst back earth lose control send back mess around time satellite would crash station wipe good number film probably shot week minuscule budget incredibly shoddy sort homey check rocket control room complete cycloid computer hardly sense confidence space program agar stranger b film fit pretty well z grade film making role sadly avoid going top wonderfully brain planet seriously film could used performance like keep awake far rest well generally well great keeping form back monster hour ten film good reason finally get see burnt grilled cheese sandwich like bat become entangled process hardly impressive certainly provided little whatever film hour twenty felt like three given extreme drag story well better worse still feature titled eye left watch unsure testament intestinal fortitude stupidity watch one day eye directed larry sort bargain basement first biz hot rod juvenile delinquent like girl hot rod gang moving foreign made horror like mad doctor blood island blood also hull high yellow needs bill peck trial lee along stock company tony eye curse swamp creature bill billy eye curse swamp creature movie learn keeping secret flying army infrared least said peep young couple necking old man bailey farm apparently make central strapping young buck hull two elope get accidentally somewhat one cadre landed nearby field car disabled couple run foot looking help sneaky kill nosey make look like car leaving hot water police meanwhile military hard work trying cover grounded accidentally blow oh well turns none pale lumpy numerous eyed like board roaming whatever reason anyway mike dead guy greasy roommate half film nightshirt head alien central try get evidence none believe dumb learn car lot really go least think talking car might talking get jiggy together make point final idiotic showdown oh man real flopper must see film search mystery science theater version infinitely entertaining film whole slew annoying check pair army manning infrared scanner many never get deserve slow painful hideous death instead audience left suffer intolerable rotten acting horrible script polluted worst comedy long time pointless offer reason fill hour twenty celluloid one supposed night clearly see sun shining general lack concern good bad movie turned long turned far look like moldy bread jelly biggest threat accidentally running one getting claw stuck tire painfully protracted sequence driving alien claw creeping around car think supposed suspenseful seen tension trying get ketchup bottle one really flotsam experienced along pick check know may critical admire solely basis make unimpeded lack untalented little directorial skill even ridiculous something vision may drive determination hell attitude always present even quality picture quality original aspect ratio media entertainment release thing somewhat rough one point picture case jitters watchable even movie far eye quality little better bit cleaner film digital mono audio comes well enough extra feature titled side eye film two sided meaning one film one side second hideously boring stupid made remake roger world dating proof bad television modern institution satellite back good planet funny taking place nerve sure make great never good course earth people z grade star agar stop world goes ho hum check driving background stopped heck even line dialogue delightfully absurd enough quote waste eighty want watch anyway huh well listen go hero feel like eaten lead paint chips afterwards subject cinematic go finish asparagus want hear nonsense feel like getting numb dumb numb cause going night watching ham fest bad writer took time go great detail wonder therapy know would filled horrible acting cheesy phony one man hearing death blame though thats one obnoxious actor way oh best apocalypse horror yes horror spending watching dribble kill wished everybody set put em misery mine movie might sound track especially music terrible twice would improve watch movie background noise bad sorry shame movie silent low production value almost considered joke two joke wore thought garbage plot horrible even cheesy thin every early th century stereotype thrown good measure print made faded save money must watch look tube one better jungle adult men call little girl sometimes like kind creepy really watch whole thing great story thin b movie kind one like female taken jungle jerry little disappointed movie two good movie plain stupid hurt watch suck suck cannot act thought movie would least color like cover older show even sea monster bird woman end really really boring waste money rent hi great movie made soviet union times know exact date political climate times soviet union us beautiful traditional fairy tale absolutely censorship original movie narrator made us completely twisted sound middle eastern suppose example whatever hell name forth movie graphics terrible cannot stand propagandistic narration actor version strong political censorship us audience us censorship interested movie would purchase dubbing company watch way really shame back twisted even would hard time oh well movie corny grade b movie round cavalry use prior yes us cavalry fact battle bataan staged last cavalry charge movie dealt rounding predictable ending way involve one main character singing first horse later gal horse hilarious also ventriloquist dummy unfunny commentary good grade nothing duplicate meant movie though one would devote one life must pretty pitiful even example paranoid racism evidently rampant movie value cook actually spy working ranch dude sing talk really click right past piece work looking movie may related war intrigue genre waste money movie old used show came really old believe took place clothes store bad movie even get describe vanity project two hookers survive car accident steal boss make break freedom amateurish lame boring complete waste time start finish film affront topic human story line poorly written cheesy never really absolute terror experience educational film human looking buy fact know purpose film would count absolutely worthless also sound level consistent film problem rather process mass typically predictable plot communication man bought bought manipulative unlikable wife end suddenly change heart unbelievable streaming via get movie loud starring frank craven kept starring bummer really see kept pretty old movie print whatever pretty bad shape watched part like occasional b western movie make grade hokey clearly past prime mention barely able mount horse let gun belt flick predictable old western movie nothing better try lazy day give try never ever put release prime see ugh ancient crap warmed best trying pull fast one put production never bargain bit cut garbage millennial generation yeah sure plenty great past even quite black white show like horror know nice day unbox great way horrible snippet reel amateur horror worth complete way much graphic violence j j give best shot title role convincing tara last tribe powerful woman kick male female sent mission escort two whiny pampered wilderness danger adventure along way although likable twirl cudgel stick best fight badly tedious plot senseless even scenery drab colorless skip saga hold better fare thought dude cute major douche give pop star back tape accidentally returned place movie glitter actually great film store clerk rude arrogant borderline sadistic two banter bicker low budget way tape fact sex tape pop star want get cat mouse anguish relent tape even come rate video store tape nearby either store guy discretion leave angry rude crude unfunny annoying supposed friendly acting like rude people new jersey play well authentic montana good movie funny charming comes like hypocritical snobby rudd overnight delivery year old virgin rudd never annoying obnoxious little like movie way way movie long tape end leave store go purse tape end serious resolve believe pop princess star form syndrome sweet guy mind day long arrogant ultimately lost tape little cute rudd way cute smart enough maybe never brother good reason avoid movie saw free even free want sort refund yes ruin ending direct video want call ending welcome given percent movie watching movie stinker close grand daughter one definitely wish inner self save money bad script bad pay attention might sound bit complicated attack set burbank theater serial space patrol shown day episode back future evil scientist serial goes back time space patrol gang chase meanwhile alien landed theater beginning work theater staff unfortunate understand producer wade big time fan fi working take old television show space patrol half way production clear film never going get even though starred lack better word beautiful ann war hideous sun demon van col came bright idea making slasher film space patrol would screen sure must like good idea time attack video release title release originally titled midnight movie massacre although monster needs idea could look film satire science fiction would require ascribe forethought internationality ended screen happening screen film bad screen key difference additional whole bunch tasteless pun worst movie ever seen get bad certain level perverse pleasure watching party film fun stuff going real reason devote full attention happening sell plan outer space crossed blob bad one ever seen really advanced warning film dung heap value whatsoever bunch year old made movie middle school project dull uninteresting level humor sadly even rise porky film unremittingly stupid complete waste time would like back say real reason ever even willing try movie love watched one downright terrible direction story line left something desired could tell tying make terrible plot work miserably within first ready turn go different movie completely story go every direction one kind sense basic premise young man good working middle class family small town trouble different get rich quick everyone else money town viewer ask get regular job pay debt guess far debt family much way kill get family life insurance money way dad pay dead also conveniently marriage girl nice enough bit clingy really right sure right would first course action throw sea looking right anyhow dramatically sea pier wonder viewer unsure couple stupid well meaning take believe mute speak even tell truthfully ocean whole huge comedy inordinately long unnecessary amount time viewer ready give story together almost even care painful might think funny really hard time laughing start get really good character happen half way movie simply fast silly painful sit acting ridiculous top also hard time understanding motivation character stays two fisherman find talk almost entire movie really good end chose girl really girl prior obligation end pull interesting plot also lead really shine interestingly enough also movie silly comedy serious romance story simply gone plot entire movie would better see maybe trying go comedy type story work check everyone else end skip one missing much total waste money laughable maybe first time see one pathetic also episode one minute less find collection otherwise total rip yes known would short displeased company would consider worthy price half hour episode show true missing sound reload partly sound go find save money best skit episode indeed reason song pulp fiction included cut offensive boo want money back version one episode bracket challenge find anywhere reason bought utterly disappointed wish wasted money wife bought quality bad black white whole episode best skit reason find clip anywhere episode never entirety unable correct problem purchase price tried reason missing men basketball bracket skit motivational locker room skit watch disappointment tell whether purchase contain music matter much primarily episode musical rest show finally confirm contain music particular great disappointment reason decided edit original episode interestingly seth tired weekend update included clearly label item version video missing one episode fact universal content episode clearly marked know getting additionally priced high removing content people seeing sketch get episode missing gold commercial parody know got buy episode watch iguana included video unhappy sell product without entire episode reason bought episode young nowhere hate hate hate music fine sub mediocre worth time try another magic flute slightly interesting much else footage comical witness bad acting like awful movie watch past thing act waste time money watch one everything movie fake used documentary regarding trying make movie bad like big guy wearing obvious wig trust judgment go see regret much movie crudely laugh rented watching proper ending movie horrible sound quality throughout movie head chopping pointless crudely made would recommend movie give actually watched entire thing see going anywhere even considering time movie made trite boring predictable ending also movie belong decade like made even late think made movie free prime better yet pay us watch bond knockoff pretty lame let short red dress fool movie anything else worth seeing careful unbox take money delete really service work guess buy wrap turkey season one better season two two better three three better four far thanks twice boring twice price two part slippery slide st class business class economy cargo wish canned season one series finale pseudo sophisticated clap trap crap different generation fi especially enough ultra effeminate ladies man ala pierce along prissy sister boy snobbish accent also fill childish inside expense throughout series obvious insulting observant amongst us grow job entertaining paying audience keep wink wink nod nod nonsense recess thankfully long slippery slide oblivion almost stay may forbid resurrection corpse much bad drama enough like star without last episode finally earth worst disappointed remember watching original back early thirty later finally get watch last episode different series found hey unbox put right damn show want see stupid show witness protection service fix problem soon go obtain refuse purchase yet another half season absolutely buy season get complete product writer strike excuse rip customer love show continue buy show complete form marketing take note stand compounding error thinking get accurate exact methodology outrage let absolutely clear love show appreciate enjoy writing corporate hatchet men killing blockbuster rip set half th season made clear product also confusion added product even used review section fan review product sale rip wait till package whole th season together discount price like season also second wonder fuss good show whole new bit since gone steadily downhill silly going nowhere logical nifty put aside six head example great episodically present best hello supposed led mutiny acting looney brain dead mutiny silly stuff like grit teeth series staggering toward kind conclusion two time ended slouching toward indeed disappointed product new first season correct cover season unbox going realize mistake posting wrong show need see episode series felt like ran starting filling bunch entire plot got preachy religious new battle star gave correct order watch everything first two thought great last season though every episode decide stop watching want finish series watch episode particularly disappointed final season turned bunch religious character horrible acting feel like emotional range particularly stale factor intriguing plot cut series got follow much happening time yet nothing interesting lot worse previous character development end care buy ridiculous release box set without final ten season wait deliver proper box set trying nothing squeeze extra season plus season twice much money made season one complete season stand money big movie looking revenue buy must bargain e bay buy used price could get first poor acting weak plot yawn snore yawn z whoa bottom line season four big disappointment series stellar first two capably balanced fi religious mystical gritty hard edged military political drama however sudden drop quality come total surprise anyone made season three season three waste extremely strong especially start second half writing veer far melodramatic unfortunately trend nadir season season get vapid subplot never really goes anywhere get increasingly yet curiously static final five subplot made regret ever wondering behave character acting suddenly gone drain instead show melodrama hard spun pragmatic view life genocide get bunch soapy drama yelling even cinematography worse worst splitting season two sure worth anyone else season good show anyone looking watch quality took show made one far serious realistic third lack made show great small overall show worthy far attention probably however first part last season quality many show always pathos move season far emotion much become unreliable unbelievable major reason many important happen quickly lack explanatory depth confusion happening disappointment story told instance would fall apart tight group long many remove six link use emotion much source transition scene scene end story works viewer totally sold emotion screen story season severely first episode last good every episode missing good story lot happening quickly thus narrative really acting far part problem physical space expansive past series must told limited time frame space still fit given number necessarily problem issue along way rather poor storytelling really encouraging follow week week waiting something happen anything really would offer reason want watch following week week week disappointed idea episode might focus something important say conversion scientist icon worship see recite diary numbing well seeing change man science cult figure stake religious hearing say want right well stupid added nothing story sexual really move story anywhere storytelling remind various shark b giant horrible succeed already sold concept giant still bent eating people food source would likely eat even give dorsal fin made show worth watching hope second part season sure put together well far season large worst series lot people put together good previously remainder show told well low rating indeed movie however way company robbing us badly great series fun bought recall broke us twice one season one time say making enough money series prime amount come stop selling put season separate stop breaking little late actual series final season however perhaps request continue looking coming sell us first movie put season box set sell us entire season broken two profit way much double dipping going give us break making money otherwise advice wait purchase used seller maybe company stop greedy seen sure good always good bonus footage see every episode fi network say definitely best season say least like however ruin course ending huge let say least maybe dumb ending give two fact saw ending wasted time watching series first place dumb gift fan think like great include lot seen like think great gift plus like ending feel bad wasting money see would wasted instead one take fi turn drama go find find even bad better waste time threw talk action message behind look enough said except thankfully going air favor revisit old show even better first third left fourth worst far disappointed season felt rushed forced think final episode among worst ever seen like came work one day someone said everyone ending show today premise final ending thoughtful execution acting abysmal higher consolation quick get order change mind squeeze every last cent season list price people wait end season buy like think publish full season set additional season release show ranked marketing stuff star however think ever make multiple star series enter ray maybe conclusion series season release start ray wait guess wire got crossed unbox people thought getting weekly fix instead get pilot plain sight show interesting guess mary season struck purpose keep watching reach earth earth following filled time contracted season season forth various social current times whole season one big boring sermon would better without supernatural bull crap felt let since ending away four great work three least could done hit reset button start cycle frustration think write many cliff look see net big deal currently unable catch favorite show would nice unbox could used catch favorite guess important people serving reading right episode refund hope one time mistake first really considering bought razor first came season buy doubt purpose get money loyal thing first season although kind understand since many people might known bought season razor important fourth season series good important unlike talk razor actually part season good first two well last two every episode crap kill way really unless buy season well whole series chance great acting fantastic cinematography brilliant concept solid destiny prophecy junk cliche ridden could adventurous cautionary tale shocking lack imagination end product felt together shoddy wow watched show better like previous reviewer stated want money back season four great unfortunately turned soap opera much logic little action like watching space actually season beginning season much better saying much ending bad six like drunk time slopped explanation could waste money good insomnia however bother waiting ray season terrible series shot lot grainy hand purposeful grainy documentary appearance see much fuzz noise picture extremely disappointing say least bought first since available time relieved see still available much better experience show speak show far show goes felt privileged deep insightful emotionally engaging television series like occur lifetime run full length remake came along skeptical first strange perverse yet hauntingly familiar homage grown epic see yet another series quality run full course satisfying end wonder could thing space even though still left also fortunate live age grown large enough following follow tele theatrical becoming common hope eventually find every little thing missing people us low rank product due marketing deal also po manufacturer well product page say season razor movie deal split season fine package found disc inside got razor year ago came totally reason include package crock blah blah blah show still good story getting little hokey still quality show people know review product review add page currently one frequently bought together season season three way go set ever new copy even episode list marked know one even know got whole season maybe got factory reject love show product worst quality world series end fall apart last show made regret watching whole series worst ending ever every since left new series gone hoped th season would rescue plot abyss sliding luck watched first disk fell asleep middle second lost interest even finishing four turning red herring law order franchise stay true made great start mention marketing stuff enough beaten horse dead ultimately failure unfortunate greatness story good one interesting individual plot throughout chief problem characterization often series written previous nature common sense adamas simply laughable acting norm erratic unbalanced behavior trust bill rearrange silverware drawer much less command ship always excess drinking alone would command trait way many crew mary series best actor like laura better leader bill also ultimately unworthy trust really came enjoy portrayal ultimately idea could muster litter care problem nutshell series ultimately care whether found earth lost balance likable certainly unworthy admiration said another review series season worthy quality might better humanity away ultimately think character really would overall realize trying create story blurred side seen admirable sadly executed well simply stop need finish rather burning desire know story forward episode episode know story gone bet even hope concept galactic picked couple good story told one final five theme series fell toward abyss admired first three decline would reversed case theme narrative killer fill copy writing excellent go five non five reduced unconvincing cut previous character development goes drain interest show convincing motivation meaningless ending final season stellar got wrong show plain sight disappointing needs fix save money recent season four without hitch sine qua non hub sudden getting message missing audio recommend view week later least work stopped carrying thought unbox way get wrong showing new free bought season unbox feel completely eager buy product saw thin box upon closer looking refuse pay full season price half season oh yeah one razor season box ticked people guess never learn bought season used guess season paying double one season going release show half price accordingly season season ridiculous support practice buy half season one bundle saved half cost refuse pay twice single product give star ridiculous price people avoid purchase joke hole season show self give great credit terrible job show hole theory terrible want spoil thing new ill say giving away thing show made sense felt like throwing stuff together purpose explain leaving unturned earth yet freak go back new early season yet final find new planet settle completely start teck advance start new sense ever civilization verge whipped planet came risky bin space far long immune system settle new planet advance medical stuff would risk getting type illness common die advance civilization self fit live advance show terrible show time lame show time came across stock ass time die end show cause bad much people franchise feel like worst offer fan hope terrible like die fast better talented writer people creative thinking deliver better us huge concern loving defiance series hired lot people hope hired well current keep creative think side box smart writing show hope fully ending defiance wont terrible like glade buy show franchise able watch prime saved money making terrible money would hate give show money terrible series hope writer get new said show guise lee good made show worth watching amazing job acting fitting swell stuck degree came across like every character show would say guise lee really stock worst part show post stock funny thing even tho post stock self centered show came across smug stock found show besides list hypocritical stock rude selfish ignorant listed kind forced bad die thing really make great different kindly selfish even coming across funny rest came across right thing never would always point went wrong said show hell cant stand terrible enjoy series much doubt purchase another product channel tired paying twice material one case episode repeated minor via two back back find razor part season dishonest bad return purchase discover channel series previously sold separately even get season versus imagine paying something like one complete season one complete season series approximately half price part season content previously fast one season season intentionally want keep guessing best thing delay purchase wait see channel material make purchase figured avoid minimize undoubtedly save fair bit money wait see better yet borrow series friend far best current show television season four great content however decided make us pay twice single season silliness breaking season charging full price season two people returned sensibility season three single package purchase season complete price fair one season two way guess wait readily available used fire beware stupid pilot show never watch unsatisfactory conclusion many slow dragging attempt fill episode time disappointed watched previous slowly degrade end way love season amongst best watch precise direction develop tale act genuine natural denial everything made series great far tense time lost sense humor adventure bunch enduring persevere squabbling wont bore start acting bad badly directed worst storytelling banal predictable uninteresting lost grip forgot camera work conventional natural part scene feel bad understanding difficult worst de put together shoddy way see everything call neat twist call bad move pretentious arrogant matter completely uninteresting pretentious witty original one made series endearing also constantly fighting among worse worst story sense poor development opinion nonsensical quits cag middle war become politician suddenly becomes prophet talk radio host imaginary number mid season raving angry man time laura dull nothing new say tory cardboard forgotten suddenly real reason get rid lots close dripping blood heavy symbolism clue dull lots close open wounds lots watching would say bad mary got badly done face lift made face mask acting character longer strong leader unfortunately watch another know ending saw goes bad worst poor waste bought season discovered bought first half season clear ordered known might till came looking forward ending halfway wait another pin neglect tell people season season four half season nice getting delivery half season mark season five cut day advertising supposed accurate guess really first season major disappointment like lost fallen back mystical esoteric babble act character everyone ready ward even sure series recover disastrous shame ripping page sex city book greedy universal decided rip splitting season two thus unfairly doubling well one tried crap season able get around able buy complete season site instead settling season would given much sooner buy sex city season part part never buy season fact idiotic marketing completely turned therefore watching much less plan product may unless universal correct idiotic complete single set without doubling half season hope anyone follow suit season got home half season store might sooner anyway picked later used store cheap round collection point quit watching show protest ago season whole season figured show learned lesson apparently came buy season notice back splitting either much money full season particularly given quality writing many check vintage stock used store probably pick season find friend borrow season watch need vote stop settling high priced mediocrity delete show set episode listed hour long thinking kind season ending something unbox come seem like would hard get right spoiler free review say want money back agree upset splitting season two either complete one price trying patience likely stop watching getting way outside realm fi anyway philosophical fantasy could truly great show fallen flat face final episode plot hoped would least partially written work god used ex tie series plot device ultimate sin writer ultimate cop show stature basically finish story absurd ridiculous fashion white rabbit hat explain anything god mysterious way little problem faith metaphor cast real cannot really way sorry cheap overtly manipulative approach reasonably scientific rationalism completely looking self consistent disappointed one main show worthy survive brought many valid well religious context religious content implicit start better balance gritty stark reality religion first series really gone since mid way series last season taken whole wasted lot precious time nonsense never consistently ie final th return dead find body viper many light met end lot felt like mere plot go anywhere resolution opera house dream inadequately dealt final felt use already contracted pay cost new little input outcome anyway galore show good best ever series new plot rise black market collaborator witch hunt scorched earth al cast gave exceptional writing excellent dire insurrection plot line worked well feature film quality many final set felt like mere padding would much better ending finished series half way found scorched earth would braver ending used previous pointless watching series may redundant act actually give away plot would unfair prepare disappointed unless know review may upset lot feel let big fan show found best pragmatic political sociological psychological opinion right exercise best feel buy final season probably give forthcoming plan wide berth sadly show great stupid ending girl show really need find better way spend money maybe give back community grandfather build pork empire instead llama drag queen waste time movie better high school production made movie want see something beast suggest beast lane beast fake least enjoy watching old dozen times save money boring sow hard keep attentive boring boring take time write b even know money time wasted making less cheesy lame film weak acting glad saw free prime unwatchable free much pay would rather stab hand repeatedly watch movie unbelievably bad cheaply made best forgotten even use real way like mansion forgettable actress shame someone somewhere might actually get one star generous kind whatsoever reason finished get enough looking pretty little known fact movie four avoid movie terrible picture quality blurred boring movie lost interest first ten like written high school class first film project terribly amateur work kind movie acting movie pack lot script like would better drag forever bought video play son well bought warning seen player loss money seen episode content good delivery best work fan since youth film maybe aged even bother watch whole movie stupid worth time sit watch spoiler read want watch lousy movie entirety leaving wife baby saving little girl wasted much time lousy ending father good point daughter law uncle inherit fortune sad civil movement people treat one another came one judge hate bad print movie worth watching think give refund stopped got stuck fast forward quite cup tea movie looking movie poor acting camera work plot one step movie mention like b even rate high got kill time lonely afternoon plot bad acting everything dark worth money time trying warn terribly movie stay way first skip get opening people appreciate quality want see fu well look kind garbage preferable one waste time money watch unless open computer forget trying save copyright remain taking good watch well neighbor came stay looney collection also bought came hanna icon large welcome free price purchase page came whopping free price collection free mean ungrateful ya set tried twice times link said free times make purchase available collection nice looking movie quite time fan bill excited get totally let actual film ant fine acting decent enough bit times decent acting bit forced shoddy plotting movie lost joke times never really find way back worth even laugh looking quality comedy want something b list well may would mostly advise skip one real problem content feel like hoax movie sort cannot tell wool believe truth whole film get story totally top almost entirely unbelievable good way perhaps make us think stuff really happen seeing plot based true story find hard believe actually enjoyment film result fine movie get hand factor point could suspend disbelief maybe taking film literally far amused time horrible set looney wasted money save poke around fine print find run shafted unbox player mac rest assured want business happy video technology going demand ways go digital management pain cannot play media player entertainment center neither streaming media directly plugged drive work due works much customer excited day work thanks taking right direction p media player link supposed take free got page instead nothing like little bait switch got free worth every penny know mean husband captain overseas originally film see part missing one saved man life crew circling area boat went could find firing green smoke could find one hanging smoke buoy without cargo rolling guess good story heroism men car carrier really saved life plenty would gone small chance anyone would risk ship kind dumb show guess like hold interest excellent get anyone would want something permanent body especially body age bought set brand new disc stupid cardboard made like instead slapping cardboard together tore case apart fit hope genius mess like honest get first episode forced care kat show first set defective returned received another set also defective never purchase person advise either would recommend ordered friend really give fair review stand show however ink great worth money exercise boring feel real workout old documentary except movie stopped streaming fifteen flick like watch entirety sometime time historically interesting seem disjointed clips enthralling best certainly worst print idea greatness original film first place original version release already severely completely missing street violence virtually one two incidentally plot description two really see one great asta second place background music horn without regard action one noted laughably inappropriate finally b w quality given throughout sepia often fuzzy dark expect appreciate superb cinematography interested wonderful star first full fuzzy haired incarnation indeed remarkable want get evidence genius made film realism controversial enough rouse ire moral political wait till get print german version die pay release wasting money quality horrible music match story film severely spend money find different version history especially warfare tedious watch even stock footage slowly getting information repent honestly mormon one ever seen take year saying ten hail done coffee break many determined bring teach religion bad false contrary teach religion basis truth really want know seek something non like better yet ask mormon sure heck getting truth seriously people get life quit trying ruin mormon church one peaceful generous ever known think bad evil thing need head p reason star review continue next screen without marking something terrible inaccurate movie justify beyond idiotic quality like expect high school amateur documentary intelligence people watch believe accurate representation reality used agnostic deceptive even outright lying book mind even believe morals allow make video like sell though truthful absolutely unbelievable si ni la ni la es total es es de boring plot terrible acting predictable really imagine film ever made save watch something else big chill probably like brutal truth trying set kind mood chill truth us hardly slow moving banal plot acting make responsible feel embarrassed writer make small role appear kind saint everyone life big secret hardly devastating one pregnant baby result brutal rape movie dozen worthless keep along mood reflective forsaken writer story really coy ridiculous ending moon merely go independent film great film divided two first part great relationship swing group reunion country home bad relationship swing group becomes isolated due earthquake time examine ignore gorilla living room e reason bad relationship rope swing lame narration beginning film anything funny watch good struggle lousy role worthy pass scene stupid could done far better job parental guide f bomb sex brief nudity screen rape first already come really nice sleeve disc receive something similar unfortunately season come cheap plastic holder hold really cheap love season really cheap season waste money boring beginning till end funny interesting rented first point season nothing anything waste money keep perky doubt ever sex would like hey grandmother trillion year sex would buy company sure really like show find fascinating bought video quality horrible bad even see people blurry save money try catch release may pan scan region correct sometimes beware regardless original oar seller note oar item page anyone know original aspect ratio film understand originally broadcast broadcast movie ordered movie seen possibly pan scan form antenna found saw interesting obviously similarity wonderful vie en rose though less dramatic situation boy wear comedic dramatic usual fairy tale ending drama sometimes rather broad find great film giving slight recommendation nothing else good heart give vie en rose hand highest recommendation commercial middle show really bad never saw commercial movie like one must realize first time power accountable humanity overly dramatic rhetoric might note dominate trial perhaps recognize well military brutal many original footage include much information possible short time span information reasonably accurate attitude time want relative simplified overview introduction might interest graphic footage intended convey ordered command regime thought would outcome communist regime comprehensive overview consider world war episode instant video prime streaming smooth audio crisp claim anything like thought men stood trial given fair trial fair trial one element stand apart nation constitution trial unbiased jury take place trial taken place somewhere like neutral territory opinion men get fair trial faced rather justice lynch mob two minute film film general bias film much content overall extremely disappointed worth time watch seen trial limited film made spencer better minute offering much side content worth talking regarding actual trial concerned unfortunately yet decent region transfer excellent film really want copy would give version miss transfer price least get benefit fire one digital media ever watched title menu fact pick several opening scene sure version available somewhere mine full screen original film badly look like attempt made digital restoration poor image sound boot hope mean better copy get opportunity see cleaner version someday region viewer though may option rate sound like complete whiner production admittedly tad much higher version still best portrayal henry bar none magnificent maybe little old play henry early around time comes scene physical transformation astounding greatness even original poor transfer truly role henry six remember excellent series first appearance television thinking might order immediately front cover think would give strong indication general quality product least transfer worked industry bought many line would advise buyer cautious source serious research find whether seller transfer company access early generation film always low terrible sound image waste money important part world history look somewhere else topic one good first watched henry six back film delighted find available excellent part historical drama six henry henry film made result success work later film technically big disappointment high acting production ruined rate grainy image washed sound flat dull brilliance clarity first class going fine film stage becoming entertainment sumptuous production design film everything looking porridge saturated sound strained several cheesecloth still said worth record fine young future looking ten purchase little disappointed especially country allow watch waiting come buy two one nephew one video tourist map wine exploration produce constant cute stayed many chateaux one got sense hand making video finally pronunciation left little desired low quality video almost home made beauty audio track painful butchering pronunciation tourist actual wine needs information wine less information castle slow moving boring many quick snap looking happy lots background information beginning get train even know saw man tight shiny pants like robot another man think know may noise shiny pant robot man sorry bad news amateurish excuse movie lost interest turned fan sang kim could really get behind film fun acting felt like show extended world format non come user base apple large enough warrant supporting mac os innovate many support people also think unbox bought two actually four two purchase warner great ever time endless cannot afford throw away time buy movie basically problem experienced movie sorry unbox doctor ordered guess wait someone movie right one given must ordered j jack lynch avid garden fan video little enhance knowledge enjoyment original episode whoever made copy please country trying find something year old granddaughter watch accidentally thought free prime minute cartoon lame get star nothing original show guy convincing character either little cool school u catch drift seen possible good doubt much care perhaps spoiled finishing watching plan burn notice capture attention looking new drama watch even entice try second episode little really slick superficial thing sugary vice covering tinge alias late night brain already cut day whole lot add already written many correct funny original show however stopped watching first stand endless blasphemy every episode writing crisp say understand several name used vain every episode shame would continue lack respect toward always show maybe around hear oh well act love show problem half play fix easy would recommend anyone restrictive device plus support mac also way save computer u must unlimited order view instead develop material based actual worst selling leno simply took best selling wrote opposite example brother odd becomes odd brother stopped watching hello weak best bother paying video free many good reason real opinion since could get work give one star waste money star thing extreme workout ego billy barely broke sweat disorder showing professional count remember much lesser degree tae bo get workout much serious intense way advanced workout top showing body got covering shirt suddenly soaking wet sweating fun woman little explanation instructor name even refer normal downward facing dog dog turned couple rodney yee pictured product yoga one video misleading would rented known yee thought version video tape really good disappointment badly injured hip exercise video later still waiting heal decent shape recommend video way slow plus continuous flow video got instead segmented causing stop wait next set continue practice set anew child pose never video video may great technology work prime supposed enable streaming work traveling streaming always possible would knew play agree opening strange bit instead instruction literally part going dog two best improving technique building advanced rented might buy future looking hour program follow looking check previous reviewer said half although done number much better portion beyond repetitive offer modification people might disability physical limitation good without unless lower back already toned whopping eternal march hamstring back reach side reach repeat endlessly added lunge move eventually side also may bother people moving rhythm background music found highly annoying end totally insufficient little done lower body focus workout want would recommend anything love pick level weight loss detailed ambient accustomed rodney yee tho ti know stuff sabbatical post overseas payment accepted rented glad buy like previous review said different nice slow pace repetitive even scale pretty much sitting ball lifting leg air recommendation purchase unless absolute beginner form exercise whatsoever story know animation know good tried give chance movie slow ponderous painful watch nothing recommend one star generous oh gosh describe awfulness movie watched many b life first animated b movie ever seen even like little believe turn want field originally toy stealing pirate evil brother also want explain animation bad unless animator explain family even watch end ate pizza front found better elf bowling fun game play turned awful movie endure waste time movie bad animation thin plot line expect movie based elf bowling video game story animation prevention poor recommend movie found show difficult watch film clause unrecognizable mess animation overall enjoy film planet krypton ghost exist film pirate ship captain maria brother dingle steal leaves basket note water presumably found taken spend free time bowling deck preparation crew grab making dingle found cheating get fight thrown overboard frozen water wash north pole way elf legend white beard becoming ruler elves well becoming main struggle comes dingle overthrow brother thousand never left couch even dingle elves fight get back film bad somewhat enjoyably bad lot bad mixed good elf bowling movie great film complaint production writing tone film place bad film mix mature humor making bad questionable like strudel also one point showing raise fame show cover inquisition monthly make throwaway thanks brother pointing lot done said anyone dirty mind could fun also dingle voiced voice e done lot great get horrible bad awful hard money something end film could great deal fun get enhanced eggnog riff start finish watch unless intend make fun plan video review give quite solid fun watching equal fun put watched joke reading terrible review honestly struck little bowling actually something awful please trust headache least something awful bowling whole movie made sense even funny way yr old like yr old looking something different try sell whole game whats selling short sports center rebroadcast worth money unfortunately sports network whatever reason think contents worth times next highest sports network turning greed better watching one many game find inside good compare maybe loosing much money since leaving buy quality ended old recording public access show bought whim really upset wish purchase button watched video never watch one tree hill used favorite show heck even drove way extra season went hill buy excited see take one tree hill future especially close age extremely peyton screwed relationship enough main also much new secondary either hit miss definitely miss least left great cliff hanger peyton said new ruined happy got able see completely almost fell asleep boredom would recommend anyone get good workout watched could tell way mellow fell sort benefit body soul understanding living land bottled wine almost every meal ingredient grown also know fishing dinner wet modern spear see trying like gardening wish whole series primitive truly went back really live land convenient well maybe description bit top show side show carnival witness diabetic aging rock star mean might recognize one acoustic guitar written stripper broke heart low intellect questionable emotional stability compete heart casting special amusing actual dragged quite bit still price free bad deal surely find something better time show funny hope grown man cast acting wild ride seemingly marrying wrong woman everything doesnt terrible choosing fun watch life fall apart hope old man really self make feel good see money fame might complicate diminish full life cable think get demand want watch bought based majority star looking forward watching new new blue ray player first blue ray disc watched newly disc player disappointment wish attention single one star review agree completely first thing background music queen totally inappropriate subject beginning film good problem little actual climb background story climber lastly felt mislead indication special making film segment assumed special feature extremely grainy blurry even clear standard definition special still trivia quiz short promotional segment something likely put swiss bureau tourism encourage travel definitely would recommend result experience without seen film first video specific video wish one man conquest mountain memory father see typical show one de brazil cliche breakup scene musical score back seriously sound track pretty much ruined otherwise decent documentary wife stop making fun music long enough pay attention movie one positive absolutely visually stunning documentary setting swiss somewhat interesting story voice bit disjointed disjointed mean like sniffing paint bit advice edit film release new version swap musical score something documentary less cheesy lead guitar provide public speaking voice repackage sell film without dream theater guitar may documentary one lame technology ever told pathetic fashion none movie even though iconic shame none instead lame family video glacier express climbing none exception one waste money one apparently wife people movie like rock music music queen simply work us given scenery alpine would lot appropriate video content given short length time spent away see non period family educational value year old already tectonic erosion story line really shallow man shadow death mountain must climb mountain risk never seeing wife daughter death every minute psychoanalysis trite forced thoroughly obvious cut extremely little shown actual climbing would really seen either aerial oddly enough movie thin air far interesting climb look difficult shown appreciation one point thought halfway next cut top wow easy three days climbing condensed perhaps somehow rush show us high definition people forgot story good musical score interesting educational content wife seen said far worst ever watched part human made avalanche turned got good feeling power bad distraction main point movie watch sound see pretty scenery find thinking fondly mutual wild kingdom old low stuff much suppose review psychiatrist psychotherapy living sure supposed represent way supposedly make money entirely incompetent way stupid ignorant think way psychotherapy supposed work funny therapist like got training massage school think would know psychotherapy except listen people talk offer completely pointless advice breaking every law existence far enjoying laughing silliness felt like sure would make use next life remade whose idea needless say recommend unfamiliar head case thought like funny idea maybe still show particularly problem many play spectacularly grounding reality thus real comic contrast nearly every character except dryly amusing self show disbelief humor add fact much result improvisation rather kind sharp writing superior comedy like rock self actually funny even endearing got recipe real hit miss comedy problem head case admittedly watched five critic said eat whole egg know bad know tend come across narcissistic much dispel myth show sadly far really recommend seem narcissistic shrink would avoid show really looking forward watching idea show great one show flat choppy boring funny make loss time watching series would recommend perhaps humor show saw first time funny understand real life would appear program incompetent therapist every ethical code conduct unfunny mockery neurosis completely unbelievable humor devoid charm intelligence acquired subscribe type fare offer add premium channel monthly cable bill took quite think like show funny great see onslaught something totally turned show finally put finger show every single character show could easily bad guy show know people love hate really annoying nobody ever truly show successful need people care found thinking every character show trapped burning building think world would better place fire threw air said good riddance please note talking course save think show would probably benefit visiting shrink watched half bare watch good riddance l psychiatrist treating read concept good plenty room guest topical humor iconic strangeness laugh much first couple woefully myron series would find never like control series sessions personal celebrity shock surprise behavior place fault back celebrity bad advice later flatly episode four increasingly bizarre cast play needy neurotic nihilistic sometimes bit three imagine made wager larry could create character grating enthusiasm hint would outrageous series therapist staff one armed assistant parade parody nice see barney miller back action visit dot usually wary television smart edgy often code speak something pretentious vulgar pretty much head case show obsession self obsession case therapist celebrity obsession various passing office episode genuinely funny episode often show find humor vulgar language sex talk really tired cable poor good writing also find hip complete bore perhaps best known role detective classic series barney miller largely wasted myron shrink office head case least well produced nicely anamorphic set disc minute plus range disc short running less seen show cable find actually broadcast longer shorts explanation provided short minute mostly useless making disc rounded blooper reel might care hear star writer producer drop f bomb already show watching longer shorter head case much television show dealing therapy resort rude crude flash back bob show found much better investment time money start saying read show product information idea would interesting show big fan series like frasier think set high one something like frasier difficult think possible resemblance show description promising la psychiatrist room guest special fact problem opinion execution performance least annoyance type character get like completely alan harper two half even though character supposed funny make annoying person opinion supporting cast bizarre bad enough make show worth watching castle another reviewer vine program perfectly show gag thing guest star question even formula joke guest star session session interrupted kind bizarre went disc set able top provide objective review based whole season also show would get better least grow neither two perhaps get humor felt like would like show odd thing show also series wonderfully celebrity therapist psychiatrist wrong path helping textbook professional suppose therapy take advice negative transpire ownership made becomes painfully obvious neurotic therapy set pretty funny many ways however premise would make better movie television show mainly show level redundancy many times one watch although like irony name project first season celebrity guess play good acting credible soon episode patient therefore leaves little room character development realize guess going every episode show caliber needs bit meat supporting regular cast interaction minimal also leaves little room character development therefore see nutty therapist awhile hell leaves desire watch show whose premise insane shrink comedic various found head case totally flat biggest problem bad writing perhaps writing one distinct sensation purely subtlety mostly way top delivery therefore rarely ever funny somewhat better lackadaisical approach born comic even context must play second fiddle hysterical unfunny show worship celebrity said astoundingly little work jeff perhaps biggest name cameo turkey whose talent comic well proved thrown away fashion case one biggest chance lesser shine excuse comedy quit watching good title great cast sick story tell reading several decided watch alert young male rape seek movie perhaps read may picked one thought boring movie ever seen finish watching would recommend description movie far boring hard follow story line good acting reading rest date see present international format stayed air p ghost well established format flavor ghost trying replicate short date episode worthy purchase opinion show bunch young traveling fight really related show still getting good anyone know came question get suspect extended p family certain grant picked many even protect franchise grateful appointment leader group yet explain audience maybe even crew ground paranormal investigator certainly watching would give average viewer courage however experienced ghost experienced rest group barry clearly run paranormal investigation operation also bright simply petty complaint session arise show donna evidently sent learn accept settle far cast remain weak donna like way donna petty cannot get along franchise also elevated management position become shadow show baby boy healthy robust trust wife ordeal childbirth advice dad sure take care child reason lastly fired fired franchise cannot tolerate low grant well fellow story telling long take become aware past present may end best story line franchise keep watching reason least hopefully show ghost chance surviving fighting entire first season show based false premise international ghost hunting subject long single minute program wasted petty personal conflict reality based program international one mad something another cast said done chance survival entertainment keep watching maybe show make first season take terminate single complaint site host petty supposed paranormal investigation location local repute pay cast crew especially foreign country let hope cast self examination show prematurely discover closed enjoy program closed people like hearing program waste money put away hear program recommend anyone hearing buy ghost fan really curious seen saw ordered first two sure enough came tried set season part arise first thing two disc disc disc disc properly disc barely worked disc work nothing disc considering number good fact one else problem copy rest work good one disappointed available fan really want see come people like loser respect finish first episode like seem prudish every scene thing watching two child make poor entertainment shallow plot non existent people want actually watch rather dark depressing taste really entertain pretty people make good show note review prime service show show excellent disappointed prime watching show sudden find longer available prime heck prior notice would helpful worry may pull abruptly notice finish watching hope show back almost everything prime available well lot separating prime given watch apple better choice boring defective male sexual done better love really love series nothing improve reputation low rent tawdry lotion set blame fellow forty though gorgeous ever sure scarce cannot believe self respecting woman could sit nonsense never life met anyone lewd man pleasing sex hungry degrading manner almost every female character show want counting much time took introduction new female character either full frontal nudity scene got three ridiculous poor given absolutely plausible dialogue recite whatsoever however get feeling somehow dialogue point man hungry manipulative power pseudo long suffering tragically wife sexless angelic vapid careerist good time valley frigid vindictive spiteful thanks get feeling watching sensitivity creativity left l bunch morality free house around one cheap conquest next excuse get beautiful naked salaciously glorify degeneracy expose anything comprehensive real side life enjoy henry miller much anyone else unfortunately comes across nicely shot trash six much interesting better written l word first season least something say something show purpose expose shameless corrupt filth factory guess good job way erotic without lurid way depict drug alcohol use abusive without inauthentic true experience drinking plain stupid comeback larry sanders show curb enthusiasm even certain degree entourage fat actress better insider life la much less intellectually offensive sad graduate carry warning sure story line somewhere saw two people sex disgusted saw three removed prime bummer wish could seen saw worthy post honestly since site prime good though buy hope someone hacked account bought without permission attractive nothing really show nonchalant love story ex wife sex addict drug writer anticlimactic acting must done nice time time ha someone else already noted lack see comment though disc unacceptable given even non hearing make use want keep volume instead employed closed yet display either device display luck setting feature case far easy intuitive displayed tell type line given gone wind one star fuss series worth way start forced watch advertising skip fast forward blocked tried watch several could stomach character really like supporting either life style like glad live anywhere near acting terrible boring non existent plot many times unhappy guy jump bed one episode lot dirty talk sex funny like cheap soft top fan real story line horny guy everyone constantly captivating one show next excuse air time wonder world view us shallow mindless one fascinating history control drunk show go aa even though agree story content fan show note absence close caption complaint poor quality digital video watched pioneer elite reference player mid range player picture quality poor exhibit image certain watching show show absolutely value except whole lot big fake bouncing around clever funny music love art love mulder like young woman love clever comedy like young woman show completely stupid series great decided take prime never ever pay per episode want continue watching come particularly likable quite amoral bleak view man life sinking sewer thought vulgar think would recommend anyone people talk like complete narcissist show sexual empty headed fail understand let run long poor reflection think entertaining operate real world disappointing show guess mean oh well really single episode include sex scene way much lewd sensual bad show interesting story line would get know outstanding little boring sometimes affect hope better wait show attention matter old decide opportunity make money turning prime prime member five really thinking unless get together first time crap title soft disguised soft maybe got better pilot care enough stay art thou although since starring pretty clear get corvette old dribble give character care one watch nothing else predictable like main actor however use f word really disgusted prude great without use profanity needs get creative film better total disappointment might yr old boy maybe gave series two kind little value like see borderline pornography may enjoy series one people good would even consider series well say would cease kind knight thought terrible considering fact available week prime free trial prime first episode joke nun probably even watched friend tell check first place make sexuality beautiful therefore interesting lost first thought might funny even watch entire first episode waste time rest sorry opinion show worth star love love great show romance suspense al stay night watch entire season crass sexuality blatantly first scene offensive turn anyone know typical rest curious supposedly part prime additional cost better charge husband show loud hearing really tell much ever making bucket money courtesy decency add language option frankly nowadays even legal go care little apart making sale small investment possible weekend wife tried watching first season first broadcast mad men mad men ended impressive style writing nothing attempt get nudity foul language body function seem get better perspective hit eject button potential second season many possibly make different name wonder people comedic point view people seem think great show much way see realism show fake well seen like main character show self loathing basically job get laid based fact real sleep guy need job car even dress worth darn pretty face show one thing true shallowness men seen show know expect well hank moody something writer living sunny southern illegitimate daughter architect tall unattractive mop haired blonde chick guy doe day drink get business get laid every comes across matter fact sleeping every woman show except daughter truly amazing every woman guy jump known real life lucky also hank agent goofy guy wife works pubic groomer show see hank go issue issue stupidity making mistake mistake mother child always forgiving taking back matter fact every woman comes across like garbage never get angry always get smash hank egotistical selfish person daughter pretty much mature person entire show really like series fact even though hank selfish womanizer also morals nosy much point extremely irritating show lots nudity mature sort none thought great even turner show remember romancing stone prepare like hairless disappointed show rave show crux show egotistical man exploring stupid side good acting rest mess aging nothing original see compare much better genre entourage see actually fell asleep couch sex wrote got set based shill misguided add objectivity way one much nudity sex involved story weak best know going lay girl soon meet surprise pretty built woman really let daughter subjected life want lots watch series wise much better series watch ugh make first episode like real waste time keep watching disappointing show great faint heart let reiterate star review show coming angry place ever mindful self promotion first minute ad great cannot tried skip past speed process every time unacceptable let choose watch kicker ad subscription rebate expiring minute life wasted every time fire watch commercial offer lead actual menu sit another second delay text message banter worthless show show love hate apologize tip cap sort production lest subsequent left list absolutely nothing change opinion catch la essence truly caught owe mentality really enjoying older show even got friend hooked prime want charge per episode get free library waiting hassle paying prime member longer available free cheap three decided going continue watch year old manipulate grown man life otherwise enjoying show good watch much sex bad bad plot learning good enough said shallow poor acting amazing show huge following value gain pilot acting bad wish sky net would take world sooner really blame see trying earnest director terminator franchise away hard terminator case starting episode cheesy dream sequence stuff seen since first year film school imagination ago saw pilot comic con convinced would never make air awful felt guilty gave second chance trying open minded second hate towards doubled worse thought great able fast forward whole thing poor summer really painful watch sweetness wrongly terminator role mean killing machine may end killing career handle well serenity truly hope difficult professional choice quits series late much wrong execution concept completely misguided series son exactly interesting pair nobody pair getting shot every five lots repetitive filler chit chat soap opera good one could course came buy something get free ridiculous different mine may love show half population would say reason watch summer still eye candy even surrounded absolute mediocrity would say take picture last longer update watch last episode devil hand free wish writer meeting said let terminator dancing ballet ha ha look good news ruin saga much uphill first ray purchase also last video quality worst video experience ever stick love series look format use ray format target practice maybe wipe crack stick wall ordered excellent pilot erased pilot disappointed discover close come depend close hearing time know series without close anyone comment summer great usual top notch everything else bad pretend accent pretend course almost everybody totally flat acting anyway terminator scary baby shot film school drop show look like winner die hard terminator follow terminator mother still terminator quit contradictory ending terminator bad c g effects real insult comes terminator sent get teen terminator perhaps sent help raging get worse could would next toddler terminator another pathetic excuse make money terminator franchise thankfully show second season even first season gift missing extremely disappointing gift watch series order whole set another independent seller sent product back right away saying receive trying charge terrible experience waste money getting twice mistake want use independent show really good got summer awesome always season one hell show save money watched open mind sad see ground breaking set reduced b movie feel acting bad horrible look produced feel leaves show without soul anti feminine made strong gritty instead following nice haircut clothes look brand new make perfect spent much time press marketing show making look pretty instead building character break new ground use plot line movie overly human somehow future make perfect send back time forget program aim weak effort talent world shocking took commercial lack luster idea put better fan done show rolling stone latest issue cover larry great interview lama nice drew overview see cash celebrity singularly amazing spectacles really capture way evident known man ah show back show cap commercial raging darkness drew ever one look face cure works one almost practice face true care certainly say cannot believe would endorse stuff like representative practice therapy would know last six point amazing perception oath certainly see practitioner dirty dance nancy grace cash death small child really harm making fortune way macabre camp fame represent process towards happier better sane less destructive meaningful life watching every film clip multiple case sincerely state contribution field gossip driven narcissistic celebrity conjecture unparalleled feel pain well way end minute one would hope count add rolling stone mention far best spend cleaning hoof fear intense abuse lifetime complete styling gear knotty old man drew like know synapses laid foundation lifetime trust labor love applaud effort one reviewer drew book admittedly far latest spat hit market watched way nancy grace find hard call love effort clearly cultivation fortune fame side really think ought go spend working poverty income take hit make difference life sure could use seen beautiful maybe write possibly soul another person might slick site friend might labor love may believe may see service look life leading flying back forth holiday rough days wife global roaming yeah lot care dealing hard argue much building wealth unimaginable profession rolling stone problem course read million big perhaps refining art whatever cannot separate pass think cannot stoop lower reality show came sickening money making spectacle show based nothing three ring circus sole purpose exploit rather rehabilitate people serious drew nothing disgrace medical psychological profession ashamed son b h world come people would choose profit people become callous desperate entertainment would relish exploitation fellow human personal profit disappointed product first disc mixed fine later almost done watching threw away receipt days later watching final episode found disc horribly made let find still menu cheaply made button main menu screen play function first disc order appear r took away bought dont stuff seriously dont wont let keep know many star video actually pretty awful narrator kind obnoxious edit people gave video apparently similar travel appear made people video mention actually help wonder people made video bunch fake get video make mistake though video awful worth money least video like low quality video annoying music non stop narrator really difficult pay attention voice rather grating educational ago suppose production got well video little insight china really video seem like please tell get trash want library please respond first season show hilarious second season pretty good time get fifth season extra woman nothing show dangle something odd voice recommend season writing available free might want try watching consider rather conservative older gentleman former liberal rebel generation still racy sense humor holdover younger days even dirty old man jokingly course would find rancid barred politically incorrect top comedy central series nothing sacred hilariously funny lot make laugh days show bill never hard life black female officer always enormous booty actually padding long last cover fifth season set laughing even ordered content somehow keep fresh funny without laugh like many much due incredibly keen ad acting crew sometimes script considerably season junior german ladies get revealing finally father chief rapist pay lot season first four worth median price still bargain revision disc season six season five order damn thing buyer beware vendor sloppy buy set regret healthy sense humor easily offended political incorrectness guarantee series anxious view however took short time realize stomach story turns essentially advertising preview easily available many disappointing purchase feature cost anything even known ordered ordered highly rated like something would enjoy realize quirky sort dark humor us terrible bathroom humor violent boot watch whole season unless tortured fun premise film saw pilot new type program us sure watch plus need pay per episode bag access horrible first several could access preview several time wont watch second part went band want money back sure second title band interest us went please make right really confused bought video demand swear blur frontal nudity affect show quality feel paying show see whole original show label warning saw indicate even though package closed believe defect written bishop president home entertainment though request consumer department given runaround action gift father hard hearing needs closed able follow story said bishop four series breaking bad father elderly hard hearing chose included code package convinced closed disk important father probably know people us deaf degree hearing loss providing accessibility audience reach deaf community well meet legal population number people closed surely rise closed provided voluntary basis many movie movie produced sale rent though voluntary symbol would seem promise indeed closed sadly tried display several media player well player display three believe closed exist could father since totally deaf four disappointed father looking forward appealing explain included closed company leader industry even though encode closed package promise known would learned distinguished leading industry initial launch helm received numerous prestigious customer service one customer feel speaking million also need leadership look forward understanding situation hope solution customer service team right away dad getting younger sad take money responsive report defect research learned many seem defect comes closed would wary able episode error message kept first time tried something continue use give least one star order posted season one wondering could possible live middle watching season wow glad got great exciting show episode finally got around watching series got first three disc tried watch episode disc disc froze would get disc since bought end march one month return would opportunity get satisfaction purchase option everything else ever fine evident purchase history buy time uncommon take complete season ready watch season limited time watch would relief usually rant found censor way watch show say version uncensored unfortunately soured whole experience sadly bought entire season desire watch sorry people like fact appreciate censorship everybody enjoy art apart someone hear word see image annoying somehow think audience blurred would somehow make like show choose censor bizarre example apparently perfectly say f sh bit however showing showing second somehow horrible sin seriously people perhaps fair watched season one almost assured love well found lead actor character dull annoying ditto family ditto tremendous buzz around series assured better goes along particularly outside get interesting given completely breaking bad next ever get streaming set probably happen quickly doubt give season two whirl absolutely worst thing ever seen recycle never shown thought first season first show recap first year like see one hour commercial product episode disgusting creative gross cannot relate could come anything interesting grossness show bad thought episode season fact making bad version mess artistry boycott video dare watch demand better yet ever show internal moral decline society surely please note made first series one big fan generally acting small part saw excellent fact initial humour everything superb one star rating well watch piece glorification drug taking dealing idea show best popular show think second thinking somehow watched series drug addiction fully half life addicted pornography neither joke say personal experience glorify delight watching participate know someone going respond morality breaking bad tell conclusion one participate anyone watching vicarious thrill feel earth watching differ decline empire watching murder glorification sex outside married relationship appeal watch like reprehensible enjoying second hand god help country breaking bad come entertainment much wiser person stated god punish apologize seriously pay first season month search show help us kill week led us try breaking bad based watching first season second overall acting good technical well done however plot line dark seem steadily engaging series bad moving worse show terminable cancer drug culture middle class even good negative light show discordant value system show enjoyable see show critically use suspense effective end season though feel continue old show rest family depressed think always lived middle class new frankly far removed reality hand lived poor adult life seen name daily basis havoc whole lived violence seen completely sober mind live place like saying goes people quite character live strange mixed feeling empathy disgust people drug culture sometimes become remember one time walking way home involuntary thought struck mind smoking shame human garbage instantly become toward fellow human hard part get know people personally longer live among run time without respect altogether new one comes around say like leave alone sometimes laugh new guy mistook strait person customer however always let know cool better let know little judge trust leave alone like dangerous want know scum little trying make buck selling dope corrupt like sick want deal sometimes anything full seriously sadness horrific seen people show quite real know know example supposed funny cooking basement realtor showing house funny linked seen reality anything funny think st season enough addition reality highly doubt watch sorry niece keep talking interested guess straight laced pampered way never lived kind reality would find funny interesting series shock audience offensive care way watch lot series lot people love care watched short part series depiction bad men rotten language like worst worst bah would anyone like immerse city dump though product play player tell regional mismatch repeat work multiple region mismatch see box message comes time huge fan first breaking bad originally watched watching version uncensored longer problem sex sex favorite show anything thought version watched pitch perfect timing tempo detail added screw make kind boring ordinary selling crap man lesson writing sure even favorite seem different tempo whole thing walter relationship kilter version whereas heart show show written dirty hate show watch try tell breaking bad complete rip woman goes radical discovery event life turns selling support family least main character attractive capable unlike walter white hairy old man nothing make exact face every single bad thing first watched show one show saw season watched life everything thought show wrong also far realistic go breaking bad star many ridiculous like end episode walter horrible fair old bitter man character typical yeah baby fair baby far baby year old gangster character episode three entire story show done instead stopping start thing twice season awful high quality make good show side note lot subtle anti racism matter shown drug involved crime somehow white people trying live upper class protecting maybe brethren believe deserve kind treatment meant get short show great season saw first episode feel like finding better place watch like intriguing series barley understandable hearing like also wish movie would stop much whispered dialogue comes across practically inaudible hate series upset advertising disc disc season three starting soon sound season two one give major plot point away breaking bad series believe case hearing people rely watch something foreign sent back disappointed brain dead brain dead brain dead brain dead much say guess pilot good enough get see first episode first episode bad enough keep seeing second episode humor school would still school gift push second episode hope intelligent terminal would let wife know start carrier people disappointed find series lot nudity bad language shown screw closed star show get star leaving never got series sure parody drama gave watched favorite earth good everyone told took entire season get interesting sure even watch maybe buy live spend customs breaking bad unfortunately play however information nowhere found box way find spending lot money disc player get screen look box information however information found anywhere supposedly recently make region locked without warning remember back cable completely different channel know trying provide content keep little disappointed making series well great writing dark sense humor could without nudity graphic sex show guess really thing watched first episode put garbage whole st season hate breaking bad acting excellent direction good plot alternatively terrifying relentlessly depressing strange find entertaining unhappy however get husband hearing loss needs closed crank volume full blast still tell dialogue series great experience clearly state available customer service confirmed case know work forward seeing beginning highly rated series hard hearing need closed first order closed sent back another one received second version supposed closed figure get work return great reputation way raw humor black subject something would rather know may different found funny hear people upset version purposely bought first season version unlike rating still f sexual way graphic call old fashion could without show would still good way enjoy show disappointed saved money watched since already pay reason feel got thought paying version give star rating watching multiple night totally could wait next episode glued set good friend told us favorite series ever usually respect judgment time bomb husband never meant purchase stuck even watch one click purchase usually convenient click want getting purchase acting cinematography general production top notch like find content toxic depressing already pattern buildup tension narrow escape chemistry teacher going come complicated pull double life disregard even body wasting away simply covert drug bought breaking bad serious addict show without doubt best thing ever seen senior citizen need returned could enjoy without thankfully understand nice touch work read star first wasted time would love series part collection much tried locate address see ever release luck problem would love reorder star seriously acceptable show production murder wide swath crime show fine make perverse decision beyond comprehension saying long clean language show suitable saying listen foul language enjoy jaunt weird idiotic reasoning would never bought season new version watching somewhere else disappointed flash bad technology even worse top obsolete work correctly works audio often sync especially try rewind fast forward hard come ruin experience terrible every way running latest version adobe flash player always date show really good give lot considering general quality television days watching ruined flash player watching rest series reason gave one star product due closed enjoy show immensely start watching season catchup find closed never worked player ever even tried friend house super geek determine closed supposed work finally broke extra streaming show thank god offer computer either way additional either ray new computer never got past first three felt like torture endure kept thinking got get better known better purchase looking front cover showing guy underwear timely fashion gave gift tried watch sound review onto pilot series able watch pilot made rest series harder get stated watched doubt since get show popular much attention probably best description give something could good never quite attention enough entertain make watch handful watched sister got set least money disappointment eager watch nonetheless disappointing pay money series find inexplicably distribution presumably live without f frontal nudity exceedingly annoying without single hint modification production originally intended plus complete inserted adult language really vote spend money purchase get story line presentation moral product good physical condition two disappointing pay one ever put find stuff sell distribute decided censor show language deem know inappropriate show decided show also nudity juvenile insulting breaking bad school teacher lame redaction breaking bad buy buy buy somewhere else anywhere else oh real breaking bad better loading fact none whereas constantly stopping randomly making us wait loaded reduced quality time episode one degraded quality point exaggeration worse could shoot phone video recorder total rip thought show would good many people like make past first two graphic violence really viewer want watch support show like found interested want mind much sorry received work different external spit matter sense nothing show fun understand people like show excellent watch yet unfortunately loading took long time often stopped throughout short long brand new full connection almost always would show cook dinner eat cleanup return show working disappointed since happen ago movie cost without us issue bought breaking bad season far lot show disappointing least episode tacky usual one good character adolescent son usual bed perhaps goes along though hard imagine like saved many watching past future bring abbey superb script fabulous acting wow watching hearing language f word especially main character said shine also scene feel want give star could truly appreciate show dialogue seriously doubt via bother state somewhere version would waste money especially considering curse partial nudity available bummer find new edition region customer picture region free edition got even wrong find kind product disc went straight plastic recycle bin much hassle bother return us see quite popular series us watched one episode little couple sex language saw enough one episode realize series us plain bad care jittery creep maybe value tripe somewhere quit got part get lot lousy surrounding show glowing media show another one con sorry show plain lousy depressing goes nowhere constantly bicker fight almost jerky uninteresting unlikable unsympathetic short show torture watch still believing tortured watching praying show would somehow get better premise good could good show written poorly unlikeable bad story evolve promising premise never anything good even truly outstanding actor bad character two either bitter angry people bitter angry people get watching bad show many us got yen sell little crystal unfortunately cooking sparse chemistry teacher something explain well work would play properly stuck different also following hope come supplier unhappy apparently wrong world zone something like cannot change zone player return item get correct one episode five dropping ball watch episode five nowhere found hell listed way like show come cardboard available money lot better stay securely making vulnerable getting fact two gotten see trouble certainly return set best individual protective plastic get wrong one star show fantastic show get based upon show however price would think would get included however clearly complete series spent four indication th included fact nothing ad box really complete series fact date supposed make sure would included additionally shipping took extremely long time really wondering going come great series great acting get nothing worse false advertising unhappy delivery quality product poor season two already much freezing skipping twice player work fine without skipping freezing disappointed one star get attention box lovely series intact ordered ray clue either new would handle old learn electronics trial error first episode fine middle picture sound stopped want refund replacement ex never watched series went well though good luck series awful waste time time could better spent teaching flush series orange county awesome funny interesting worth watching painful unattractive dumb cedar terribly boring plain trailer trash would rather read phone book favorite group countess say nicely politely condescending one biggest pet may least front without passive aggressive really like house orange county thought might half way first episode could would get money back really glad get whole season think tried real maybe next time would want live new order set several ago getting around watching first disc set blank sent return upset purchase season received contain st disc worked spent whenever try disc watch cannot read tried watch thing honest reality show guess technical simply like genre really new york superficial well program image sold like country surfer suburb valley goes simply connect housewife genre east coast general looking private married look might like rather rubber necker road wreck kind way time beauty one homely woman also obnoxious personality find unbearable watching rest real new york city watched first season late particular like much well find unfortunate let go show homely unappealing remains vol one two love ordered vol three early march still getting runaround st still waiting ever get know love really tried open mind like show take thing made watch hot guy affair find likable felt like victory overly obsessive plain boring bright spot performance kim raver great actress carry though show poorly thought follow kind logic really know strong intelligent actually behave like written weak witless beautiful positive plot boring awful designer victory ford clothes comes across fake really corporate cant even hire nanny show amazing draper cashmere kind woman summary boring series cashmere far interesting better wardrobe strong could look worst murder club cashmere trio one survive incredible watch cause series like sex city well done compare one interesting entertaining credible could rely character life expensive considering short series also find hard believe three main would real life friendship believable victory immature irritating watch times humorously stupid movie silliness entertaining brit sort way one several st era worth night afternoon beer rented hearing radio adaptation radio book grant probably difficult task adapt novel film humour adaptation took unnecessary cat substituted dog son vapid artist writer given faintly accent cool school back wen made sure fellow said danger modern yes appreciate irony saying film version work one apt grow old fashioned quite suddenly would like see adaptation book bad hoped interesting old black white movie hard watch whole thing worst season ever deserved nobody else actually smart win winner worst ever used money start selling later busted think one deserved money never felt like season actually big brother season odd weird normal also competition whisper answer one another thought rule breaker right wrong love big brother one least favorite far get good last glad watching like really season many like parker guess person root guess pretty weird group pretty funny highlight season casual viewer watching good watch one trying watch guess watch one season twist everyone twist begin like season big brother several first couple twist interesting twist ended experiment show really work force different teamwork dynamics always left one member insert insult much fact previously broken couple paired real couple split really improve led final question final plan wrong guinea well first bit possible production reality show seen plain stupid course show season biggest every previous big brother season like negative tone deserving people last like winner kept left right driving crazy first feel wrong person albeit winner previous season give people make show interesting would like able know big change survivor still easier follow season worst season big brother seen mainly top every season care give season good except boring make better reality like make better heck season went back found like lot one dislike negative tone bad winner season well suspenseful engaging thought provoking however season fell flat far short many town good repair people milled open biggest element beautiful perfect hair clean clothes sex appeal really hoped director would actually considered would likely happen town post apocalyptic event us fall back familiar first season well written well full heart courage truncated second season though full paranoia betrayal corruption script even gotten show yet seriously like bush derangement syndrome writ large private contractor read comes town private army blackwater headed dick please network write leftist junk mean ruined perfectly good show great show really get political good riddance story like season series end story hear story comic book form much comic person one season got cut short feel like continued style writing direction first season left disappointed character development stopped make sense watched first season might worth seeing rest get great show review product show people first season came box set comes plastic case easily float around get either shipping normal handling one choice want second season story line become wandering lost unique character lost interest acting story line little simplistic could done story real ending season middle season leaving viewer soprano ending prime membership family could movie night thinking going cent hearing disabled like many rebroadcast television rest series member family hear trouble hearing hulu might better option since little selection hearing disabled customer support e falling sky waste time show bought season price season cost say didnt enjoy even half much first season watch well good series idea however came closer end season feel like mediocre soap opera found fast forwarding much episode finally end series see conclusion closure also find idea none especially virtuous irritating would think never associated person truly good character agree another reviewer therefore definitely written far artistic merit quality writing continuum far firefly even series met tragic end time season like cram much whole thing felt rushed really another end correctly show based interesting concept fine work mark overall waste good talent season one wonder full human interest high tension good writing touch conspiracy season two measure right start many first season missing show much sense claustrophobia rather expansive solitude first make worse seem fall plan trap many style show worth watching closure season one barely hasty wrap series understand left unsatisfying known watching show many cop early need hutch said terrible show even worse one laughable delivery laugh loud funny boring story line strange people skinny looking guy miscast worth time skip one go straight want watch first rate cop show howling put sleep nothing scary even entertaining really bad country music cash real country good stuff horrible music watched elsewhere even rent thank god wolf half movie dancing cover might look movie terrible would give negative star could thankfully last mediocre franchise howling preceding horrible sequel rebirth castle one good part really suspense horror movie want see scary werewolf movie mean looking skinny wolf real wolf see werewolf remake pass howling wolfen watched episode desperately want cut go something anything else next guy following though one review dog someone somewhere let go pick poison probably right movie poor acting certainly hokey definitely poor production yes yes hopefully painful process dwelling movie long enough write review keep poor watching say pass saw original movie lily love thought wonderful bought demand version lily love saw enjoy movie quite dissatisfied returned item several dark see well hard hear speed either temporarily sped movie like content version cover sleeve also led believe home movie still love original full length movie sadly product movie capture attention first thirty finish watching anything got smith sorry wasted money watched free si video unbox glad since interested unbox bad image quality aspect ratio wrong x video full screen x screen aspect ratio correctly set resolution bad moire like seeing x video unbox quality interested attached excuse look bad glad try watch take handful world beautiful tall film strained looking call show let tell would probably funny touching say si shoot get loft village set sit around jeans make wine tell wet tight jeans still seriously watch minute show television force watch whole thing guy watch beautiful somehow si take one life drain life joy really hard say something bad si review swim wear one hand lack thereof go wrong one hand event get preachy us insight location really lack thereof get along focus really important stuff like mean really care pirate whether walter photographer known man truth tell hate walter crew people go take want hear want see reason rate badly get anything si money publicity get publicity get publicity get nothing except visual pleasure give visual pleasure without blather install unbox video p ram home machine froze point power cycle get unfrozen tried thing program machine cannot deal p horrible show sides show tops loaded free could see show would decided buy one far unbox impress video watch w click watch unbox player program unbox play save husband lot happier give uncomfortable rating since bought book marital sex rate stop suggesting garbage video shot unbox video inexplicably figure override setting unbox video player media player show watched people vertically tried watch media player classic let fix picture play loaded portable file onto creative vision w able stretch full device get proper aspect portable file horrible show still unwatchable compression lots blockiness show like primary reason watch look want good resolution good watched show extremely boring technical make hard watch gave two good looking even distorted wait show bargain video quality great aspect ratio correct video poor color level low brightness way adjust color contract make video even remotely viewable get full method instructional video get steel also lead guitar better polished offer lot good video though lot information timelessly applicable quickly ready advanced video foot usually preview far know show good example motivate people watch video part yet picture example view two one right foot air next arm point way target retreating balance fencer left bent arm front foot maybe need view enough technique without sorry looking fencing found video wondering fencing three like think may disagree fencer go story line film recommend look listing film need know original th fox production r sale another story find going knock r many r fabulous warner archive know mean however disc far cry anything coming archive first film soon disc inserted player menu choose want start movie start course chapter list either quality print bad even could watchable except one horrible flaw company screen entire film reel real big r e lower right hand corner running time could watch disc potted plant front block entire screen mask corner bug ever present watching leafy bug able concentrate story without plant hide bug distraction terrible movie promisingly new police beat reporter around aging police headquarters brief variety bring people becomes politically important murder election looming powerful publisher making attractive cop charge right angle turn stupidity publisher get medical examiner something ridiculous door farce never murderer comes way left field discovered chance spoiler prime suspect pretty noble inconceivable could killer people watch curious disappointed despite top billed little screen time furthermore sole outfit lumberjack style shoulder fashion hat never throughout picture script give real character play aside easy seeming like nice person establish one hand despite seeming like character actor leading man picture competently say star seem like real person real job within script movie really film noir despite taking place entirely night much set bound virtually place within police station giving one little feel like might made time see pretty run reasonable depression war example almost police station press room candlestick dating sin movie equivalent average one hour cop show today really worth time even period piece read much action motivate delete tell suppose people one stopped watching boring even remember plot nothing much beyond nudity nonsense little else little humor production quality special effects really waste time typical bad idea caught town business sleep title us said hell bad props location really bad sound single star matter fact probably even given rating based solely acting worthy plot horrible stop watching soon thought would name enter risk real eye opener people whose idea success become masturbatory material thought might cool cult film way wasnt watched first stop acting horrible horrible plot might good movie drunk roger like sexy gory send government zombie oh lordy lordy say definitely hot alive earth someone like dead smelly rotting stripper know know parody come long way like much movie thought could better part expect movie zombie movie even watch movie nudity maybe watch sound fast forward nude bargain price like watching play feces entertaining even know start movie bad made sense beginning end think director going worse movie year award non sense watched free prime membership really need better free movie watch prime member rather regular distant future bush somehow fluked way another term president virus broken small town z squad sent eliminate problem member squad infected find refuge underground strip club also illegal government future soldier turn worse member undead take club biggest star first victim dance odd thing love zombie new sex appeal money piles virus continue spread first confused movie one ever almost turned several times honestly tell thing sad thing like slow motion look away start watching see going end going make alive really care wonder whose really worthy surviving said ludicrous ridiculous absurd amusing hell ridiculous let see turned becoming super sexy stereotypical janitor ever biggest jenna special effects find warrior princess stripping jenna shooting ping pong pool well let see angry foamy list goes sure many sad thing despite cheese bad still good buried cheese kind like enchilada made cheap cheese cheap stuff outside good stuff inside obvious lot nudity good probably one keep anyone watching top performance strip club owner pretty memorable also make effects surprisingly good times special effects horrid make actually better think film ridiculously cheesy blame anyone turn half hour mark thing though stick actually enjoyable bad cheesy amusing acting bad days plot pointless even weak attempt twist ending point bad film manage sit whole thing may find enjoying like rating people probably rate say see ended cannot believe wasted almost watching jenna left spell word act much less beyond doubt movie made teenage anything stay public eye marrying violent egotistical drug head guess true feather stick together nothing worth movie neighbor watching agreed shut whole bad save time god please waste money story thing bad hot good stripper quality guess would suggest flick way much gore plot sorry made choice begin could finish hospital home bound watch lot lot patience god time fill one goes worst ever list prime seem old low budget would buy cut hell try get uncut buy peace zombie great title title like sell well laughter reading title realize movie go along problem hard screw film like zombie good job many noted film really need one critique film film identity crisis quite sure outrageous horror comedy never two meet together manner major try make political statement film never realizing politics place film zombie humor outdated bush kind see college pretty stale already humorous idea become better funny never comes film find rotting sexy beyond never comic action believability understand comedy good comedy horror work root reality special team film corny lame ultimately characterless obviously phony something distraction well cast painfully unfunny even though like clearly try main character audience identification figure either even bizarre generally attractive well built nudity frequent one would expect film good take clothes large portion audience really third less actually show anything mainly also help either gross see jenna company nude rotting blood gore mainly lame well another hand zombie pretty good clearly works hand really appreciate film would take high level inebriation mean booze frat film may pleasant diversion horror seen skin eh nothing great overall nothing highly could better really hell expect film zombie anyway simplistic plot breakdown commando squad sent top secret lab conveniently next titty bar clean experiment gone wrong one bitten strip club safety proceeds infect kind super know girl power something silly dance end scathing review combination naked brainer like chocolate peanut butter two right pure good combine form something even better cinematic equivalent far made people put batman gave us full frontal done terrible frank colonel combined sadly zombie exception let start lot movie lot least film showing titular pun totally intended stripping say anything good acting hammy satirical way special effects laughably lousy daughter routinely far worse try wife baffling lack plot days get far spoiled see given moment arm reach away television computer hell give another year watching bare waiting toast brown boob rich boob jaded say nice jenna man made still behold appreciate less stone roxy saint small wine glass blonde brunette boob every boob unfortunately also zombie one saving grace movie lively flotation bounce happily around stripper pole get become sad angry old withered want look away long time see long time remember saw first time remember long took go back water yeah like instead instead watch film man healthy respect movie stupid lame good never recommend movie anyone total liberal propaganda machine movie immature could enjoy say watched movie movie pretty bad like intentional lots gore showing naked necessarily recommend movie unless got nothing better watch buy movie nominee least expect something fun unfortunately neither boring repetitive script worse acting ever seen saving grace decent effects looking something fun along try planet terror much better zombie skin rot body fall streaming break open pull arms fetid living dead cause movie men want see beautiful young getting naked bring men go crazy sense ray oh come great pick among chosen lord think would least put dude car oh wait sanity high art seen waiting flight living dead personally funny feel sorry always deserved much attempt cult classic except everything terrible good way terrible way nothing redeemable movie nothing zombie like would funny interesting movie watch jenna would think would least appealing men rented good laugh entire time even got half naked shut early wasted money bad idea horrible execution zero story structure logic even comedy horror e g distance lab club main character development ensemble nonsense ending especially poor use likable survivor absolute worst movie ever seen could barely make way movie believe someone matter fact believe prime video getting star forced rate worth time view absurd ridiculous lousy recommend anyone foolish dumb stupid work really could better worth look live potential simply gave movie two otherwise would given one star title like zombie think would one bad good would fun watch sadly really point going story little sure gone already get movie going low budget camp feel executed poorly knowing based play help either movie try get political continually bash movie expect see nudity zombie nudity seeing place strip club role sleazy owner tell trying plot weak poorly hard feel sorry especially good girl joining club help pay grandmother surgery end get bitten turned say amusing part one zombie billiard perform version ping pong ball trick go detail zombie effects bad wish used practical effects blood low budget film crying loud use cooler realistic finally politics god go politics outdated long movie came know bush great job president way many already making fun much ways place movie like watch hear political commentary watch attractive get naked preferably still alive see good old fashioned splatter like say worth look want see good horror comedy check dead dead alive certain ho planet terror action horror still plenty funny maybe question make crap moronic concept stupid movie get much worse make st tolerance bad lucky rented movie sure even worth anyone gave five even four must brainless brain dead crazy movie people actually thought good hate see people think bad movie one thought guy movie rent see already love one movie horrible call b movie like f movie bad acting bad bad story unattractive missing good thing movie even save bomb think say like b love b though worth time spent let alone money spent right lot ass need movie slightly better story would nice lot better story known better premium member free speak movie waste time go see zombie movie worth low budget plain bad funny figured good cheap gross laugh wrong needlessly political right set beginning politics nothing zombie stripper movie unless everyone know president former fool war monger funny guess see made funded never saw preview another movie funny premise preview wonder zombie one forever heart real star amongst company misfortune late seen recent watching lately less stellar value shall say add yet another one list sigh thought would low budget film real kick turns low budget film totally lame old stereotypical give idea good example latter janitor loading gun bullet carefully chamber villa de yeah funny funny stuff right fine job owner strip club deathly afraid catching something one money thought also pretty good job comic relief comes form opening act street wise bunch ever seen none acting pull send like even tried oh yeah trying sorry plot laboratory become eradicate job process one bitten building basement window great security marine turn nearby strip club one dancer stripper another dancer stripper know uninfected want become infected infected getting attention male oh yes take patron back proceed eat remains either without usually animate lock jail like basement every strip club know jail owner first beside happening say bite dollar soon one another raking dough somewhere along line marine major leader club reading newspaper outside meanwhile one stripper gone basement voluntarily let bite infect also go wandering around club come rescue exterminate zombie menace poor bitten taken back testing also find one lab club trying pick lock deliberately spread zombie virus throughout lab said money working man leave going whatever usually lab man two unbitten come clean strip club mess low budget film special effects blown apart whole shabby opposed alien another demographic film like would male throughout film graphic think nudity upon time group would probably love film alone part see film bad person stand extent directly charge first thought portrayal bit top movie seem settle actually mind performance technically speaking film w r clear crisp include two commentary despite star board project amateurish lame excuse film satire send fall flat good job part handler nearly enough save dud give wide pass wast time money mistake waste money sorry even thing rented whim wished camp funny b grade got terrible nothing good piece crap possibly worst movie ever seen story make sense flawed ugly turn plus nothing close zombie movie bore want watch soft skip past first watch n shut get better disappointed movie movie zombie acting terrible good job carry whole movie could good someone decided work much potential little performance nevermore saw maybe see collect zombie one really need need either pay close attention film title zombie silly zombie title film starring jenna strip become dance stage crowd cheering strip club mean one joke movie joke could turned something much someone like wright creator team dead wish directed film jenna kat strip dancer greedy owner club happy see excited un dead whose dancing film goes even though lucky returned backstage situation absurd think exactly point unfortunately need someone turn absurdity comedy zombie slack direction especially part appear clearly good time watching sleazy cowardly owner fun film sporadically funny scanty supply zombie comedy club owner club rhino confess first get joke name playwright one still know like ping pong want horrible low budget exploit totally zombie worse zombie nation thing worth seeing whole pile zombie garbage naked movie pure garbage plain simple kind funny garbage one glaring thing movie horrible jenna skinny lost much weight barely hot girl took concentration camp victim put tanning bed gave breast duck modern day jenna much movie hair covering half face good plastic starved repulsive looking acting good plot predictable quality film quiet poor lighting often dark see film dark barely much could adjust volume enough much dialogue poor quality sorry tried terrible print washed lot bad audio worth price five review produced year heroic certainly interest film nurse dame anna sublime may see temple bad enjoy screen towering sardonic figure seldom simply enough video quality would improve bad anna agree w levin previous reviewer bought film see supporting actress may favorite mine along times family black white growing may well known days warner handled comedy drama well convincing role head days ago sent film along two found listed however nurse disappointment choppy lost interest finish watching video future maybe someone justice better movie awful acting story line singing hero heroine good bad plane old cool admit vehicle beautiful de love fame clamshell ala birth way loosely based life nice nice script direction needs work tad average film unoriginal bit silly front green middle eastern belly dancing outfit cultural clash sophisticated lady dancing outfit naive cowboy fun many old still digitally rely reasonable used average quality complain however product mediocre print plenty small scratches missing green running right battle scene color bit red faded furthermore real horror reel watermark right bottom corner entire length one else copy definitely shown cover amateur production job give idea menu menu reach end movie beginning low budget copy know burn furthermore back case movie b w incorrect movie color made really know even description incorrectly given b w ca give movie partial print due watermark give star buy really want see first starring role rent otherwise wait til figure put watermark sad thinking one else old movie sound picture quality poor however entertaining like de watch entire movie ostensibly world waste world already couple need another utter waste money time since supposed long got us less actual film lay scam whistle stop steam train night young woman leaves train home gambling town night poker game tongue slipped home find mary red sent mary conflict family mary goes visit place fight carry story forward scheme rob mary ken trouble saved ken beer best selling brand late talk story forward ken leave town mary fair town people free use shooting gallery man plot ken leaves dance pistol deliver cash proceeds fair take train mary ride ken convertible hurt dance like ken ken ken find dead room gun police chase shoot go roadhouse near ken place shot dramatic fight police news happy ending low budget film small town traveling fair yearly entertainment wealthy man film stilted wooden absolutely unbelievable would suggest wasting time ave mere physical presence otherwise much less ordinary status selected movie part enjoy film noir also appreciate raft ava even magnitude save poorly written movie film quality exceptionally poor unable watch completely poor film quality distracted telling story love ava always willing check watched sadly streaming version inferior quality simply unwatchable actually idea good movie tuned less disappointing poor quality black white film look like tinted green way sharp sound muffled music also muffled loud dialogue making difficult hear exactly saying snapping static white appear tops standing cut ava raft tall man movie old film shown screen closely sometimes especially opening jumpy ava one time favorite reason bought beautiful comes across well hear saying raft one expression sullen pair ava one moment hot trot next stand final scene story slow b r g video like cheaply made documentary teach viewer lesson something antisocial much considering muffled sound miss something said actor may important plot good wasted dud one song ava dance turkey straw although cover case comes nice pictured look back see little thought put fifth line two together without space really something overall quality product waste money love film noir even bad film noir even noir going try return get money back would never recommend movie anyone based lack even average quality several times felt compulsion shut hoped would get better never expect perfection lot better got price like movie quality love swamp one worst quality ever quality worst buy dollar store although bought many many first major hope review listed regardless negative feel terrible quality dull story name whistle stop made appear great never horrible might rated movie higher fabulous ava lift almost mediocre film however movie rentable current state rented see actual movie quality something people television cheap video tape made change mind dumping another movie streaming option never provided sub par old enough remember original shadow radio blue coal thing worse rod shadow script read one plus picture real shadow rod office wall great luck instant movie two mad men assorted movie huge fan disappointed see connection strong enough please refund continue enjoy believe one experience nothing also long subject think could beef thanks good job jenny generally like old b w stay interested one finish better time period well done stay interested plot pilot television series picked turned movie premise judge court people serve life morality play judge case rich criminal defense lawyer law license people accused aka scum earth single thing movie worth watching repulsive hammy acting inane plot completely apart end movie one star stinker want seventy back ginger showing age seen play character many times wondering actress unbelievable plot educated serious woman star struck big lug fake cowboy actor get financial difficulty truly smitten moral conscience excess catch yes man needs right woman reform husband material romance stupid people acting stupid never watched ginger one worst career know pretty awful video poor quality could continue watch first movie unable watch due poor quality movie quickly watched several since even remember ordered two neither sound silent good luck like interesting film able watch yet story bad otherwise b movie war film could good film well known subject jean enjoyable film without line uncredited miss boil silly boy girl movie though interesting see action rather sparse dark hard see deck pathetic extreme sickening idea someone would enlist going rather goofy story line character immediately assigned um whatever boot camp anyway waste money unless collect bad movie lousy period script rotten wooden story insane wonder stayed b actor one name smith writer piece movie poor video sound quality top fact first watched content worth watching mine bomb stay away would lucky get c high school project time would better spent cat hard imagine wartime media would go order put patriotic film early dark days war perfect example metal mines surface flying axe severe rope mine cable would thought premise movie naval officer deserted prior outbreak enlisted man assigned coastal sharpshooter diver fairly good story mines however dark transfer poor black screen action unseen studio cannot recommend due poor quality movie story good however movie plain dumb era think maybe simple another plot less b w movie hard tell since quality bad think wrote less week look point plot girl boy guy hero hell people understand moron goes navy join coast guard get unsuspecting awful movie quality poor wondering even enjoy another movie like way monogram poverty row lost appeal making like one possibly looking morality play highly suggest film writing attached personify perfect example whatever virtue assigned depth character much film would upset character assigned virtue hand perfect movie think racy want watch g rated film help understand correct thinking class sexual orientation gender construction race one bleached white film true times want teach daughter place gentle kind world quits job husband said husband like digress leading lady assigned beauty wisdom submission want performance writer clearly total woman mind one note give star imagine one moment watching movie local movie house would chance life imagine one moment immigrant woman working sweat shop virtue would play yeah see going folk need white telephone movie able offer back poverty row monogram back poverty row like movie full turned empty order sudden tried get someone remove luck know feel know say cancel would help even fact yoga include stillness relaxation video slow moving instructor spoke slowly hard time following saying without getting distracted may say state mind video like little distractible may series egotistical yoga instructor bother continue appeal interest connection viewer tuning probably real familiar yoga done yoga flexible avoid unable get teacher advice people starting half way house perfect form lack found highly unable get think u limber would good one use ate depressing agree previous comment crazy lady barely interaction baby make good baby yoga thought getting interactive version yoga could month old nope contrary cute picture modern looking posing baby cover outdated video mostly sitting laying completely oblivious child laying floor also nifty minute long introduction woman rattling oblivious fact squirming baby trying work much less listen prattle gave try scissor around looking waste time money whole thing like dance class simpler building whole choreography would take dance people look like nice see supposed look like difficult replicate probably fair review never actually practice could get past ridiculous like fool trying look sultry weird special effects done braccia never favorite think pretty safe bet say yoga good back pain however volume cannot hear yogi saying also shown around video kind interesting since video back pain sure goal wa snot good production terrible well look elsewhere combine ballet idea ever buy rent seen far like decent workout yet finish entire session stand sound woman voice yet also somehow overly new play preview understand normally stuff bother usually base workout instructor awful finishing workout also little overly complicated hard follow times sure could keep listen woman voice get point police poor frenzied dizzy think produced drunk audience attention span respect buy still belive woman gone much life movie girl based would agree support even something like even finish whole season lost almost respect ordered quickly looking something else instead third purchase relax nature waterfall hit spot one nice really enchanting disappointed purchase way short watch clips instead oh well totally worthless film waste time long ago one ashamed guess already know guy like comedy go recommend taking chance funny fairness could become really really funny later snoring couch love old crazy pay min spend min long realize ordered recording error instantly tried cancel already late way give person intended disappointed still problem memory kindle fire view long home yet leave house cannot view locale problem although spent considerable time ago different problem remains memory view hospital anywhere else entire movie felt like character development kept waiting raised never ending stupid fantastic job set great everything set really good movie saw ending came away sat entire movie ended recommend movie written people tend live la follow authority saving family cost would act way movie watch possible spoiler see coming asleep general concept potential could worked lot instead film try use time lot filler material one example likely amazed much time devote like get concept show like literally every door window fireplace detail artistic close fiddling duct tape drawers plastic likewise seemingly endless people phone realism bad film making choosing lots people standing around nothing listening dial create interesting footage sort nonsense add suspense nearly gave film boredom force finish watching besides lot silly generally much film around people sitting around talking dialogue quite weak especially intense dialogue get repeated predictable easily guess said next hate say ending even though bit twist illogical say without giving away laughable evaluate would anything never seen film case think anyone would miss anything skip one like felt like already seen everything else guess movie good twist ending quite movie awful yes would love live life entirely feeling zone rarely cognizant thought movie know emotional reaction wrote w really wrote watch film love hand wrote really regret every minute wasted steaming pile movie instead would caught fairly quickly innocent accused well government would vacation debating welfare send money rich evil start new liberation somewhere would much time distraction would incident would sent home government would start saying misguided cultural misunderstanding innocent would book thrown seeking rumor would start fault little guy made video would form bigotry angry seek understanding care compassion democracy debate would begin meaning democracy people get sick would told nothing politics cannot political opinion money would sent would told better people care much super little l would blaming people history slavery little c would say wrath homosexual inner city poor white black people dying would told gotten yearly flu shot could something else anyway would told would could begin know really jump would move would social strong powerful democratic silent majority would stay silent sight fear intolerance media would air amongst role sophisticated th estate teaching us ordinary people understand could watch learn wise movie got wrong lead character stay home dad waste space figure change flat bad knew ending coming thought knew twist really early cause knew coming low budget b movie thought story going get good point kept waiting movie said movie pretty good event first half movie pretty exciting time back house found screaming stupid happening example news series dirty defined radioactive contamination around la soon home forced sleep outside first night brad immediately seal room sleep limit exposure radioactive contamination like later movie constantly walking around outside amongst radioactive ash try break door exposed brad ash glad safe inside oh right plot twist end dirty suddenly change biological somehow brad sealed house plastic made inside home worse could get past first movie movie even bad b movie finished watching really horror suspense film used final destination creepy little genre poor effect unbelievable hard finish watching one movie laura adult decided move back orphange partially grew taking care taking care place moving husband skeptic son cute little imaginary laura seem love little worried imaginary maybe problem go away arrive without giving anything away film laura normal person would often act cliche horror movie fashion laura goes dark alone without protective ask accompany also whatever reason chase catch old woman old shed laura bad something supposed loving father husband really seem care laura goes missing really seem look example laura dark cave beach see go cave search another scene laura give two days search let stay behind huge house look leaves also skeptical everything without real reason like skeptical spite must say watching movie feeling ever wrote use horror really story tell also seen compare say big fan movie way smart film believable great twist end generally really like learning language better way learn cinema however found film bit incomplete film seem value story perhaps twist possibly might come next clear thought value one character status went nowhere point never understood found people motive aside already presumably sick trying vague give much away want see film yet story blend eventually winding sort peter pan never never land mother willing order reunite son call film horror flick rather mystery movie mildly suspenseful somewhat creepy acting good cinematography beautiful certain unclear far chain lead end film found bit mess conclusively sound give film give half consider average acceptable find film give two bad movie story line good acting opinion left much spoken language yes read fine print specs assumed voice track think leaving speaking try follow story want go movie totally noise music closed hear choice language aka purchase seeking speaking movie first slapstick music doesnt go well supposed horror movie scary part whole hour min movie want able watch movie damn movie waste time money honest cut movie hour sorry got movie movie ordered language found late learn valuable lesson tho always scroll look language film description learn language bummer fault reading fine print make mistake love scary suspense waiting see movie awhile made look scary dialogue make hard get totally movie keep looking read suspenseful supernatural thriller movie deliver sure mask creepy extent probably part film everything else big yawn movie huge disappointment feel could done much recommendation wait comes regular watch almost enough even finish movie something movie tried really hard completely achieve kind fearful effect got seriously constant reiteration found movie tedious sentimental overly permanently set bar way anything film could hope achieve got cheap used perfection works ever seen may due fact came even inside box snapped think due fact fit box reason odd know snap stay secure overall works really even put box want company get yet anything way know would love movie could understand read damn thing miss much want version money back got movie came highly told scary sure scary fact make movie available public get back time wasted watching seen island suspenseful know maybe spend time reading distracted much maybe seen ghost left dust sorry recommend movie rather disappointed warning front case movie available anyone enjoy horror movie read everything shut movie half way returned store refund well say first speak read film disappointed film movie slow moving much ended fast forwarding small time plus movie extremely boring hard time trying finish movie movie would sold penny would known know movie thing say slow boring scary recommend movie going actually somehow movie rated star movie another one history guess left say maybe cultural divide category film listed subjective e get underlying symbolism two star review thought movie mess many film beautifully shot kept watching however nothing made sense ending annoying certainly none supernatural feel usually look film billed would recommend understand culture jaded scary hell used get explain may lost translation tried watch last night bought year ago didnt get watch till wasnt anywhere description late refund buyer beware movie director producer need movie make false advertising cover title watch movie either read closed sham use false advertising sell unsuspecting thing also would huge imposition director producer provide alternate audio option like speaking second last time director ever sell never buy another even every movie point used trust may career goes dumper us blame economy blame deceptive advertising printing cover cover title begin irate would bought first place collection last time director ever nothing fact lived panama want certainly appreciate deliberately deceptive false cover title make us think movie us put label title cover tried pass speaking movie suspect would angry well like would want watch movie also responsible deception movie title also since huge warning top page telling speaking movie added note director cheesy immature camera effects near end goes camera rotating around main character like nothing spinning got monotonous fast forward get away something year old would shooting movie garage school project let forget sack head cheap th movie series avoid director producer like plague high rented movie local blockbuster probably toro name alas toro directed respect felt advertising film bit misleading hey creepy ghost story set spooky done allegedly toro style gave shot sadly found movie derivative countless horror chock full hackneyed scene stood primary offender medium gaggle paranormal came house ghost finding ectoplasm computer equipment scene nearly frame frame poltergeist pathetic watch movie also heavily plethora horror watch movie already done scene watching stream head movie ended thought ending sentimental carry enough emotional weight make care think stick toro indication movie hard follow hate tough trying read watch movie time like foreign movie dull unconvincing typical ghost story nothing new exciting ended mind movie also predictable feel wish rented junk bought would great entertaining movie good plot good acting good suspense us citizen primary language watching case allow keep pace movie barrier enjoy nothing wrong dubbing look animated today bought mistake great movie meant orphan gave movie speaking friend waste time many story production even paranoid run room boredom fear got many people rating movie good may great movie read whole damn thing missing something went found nothing without version movie dont know unbelievable speak movie speak enjoy movie either spend time trying read said able watch enjoy movie go fast catch much back forth dialogue negative review sure know easily since title cover title movie actual title el something effect revealed say fault looking make sure however cover written description bit misleading never make sure another language seen anyone mention thought give small review anyone may make mistake speak realize movie fault guess want read watching miss much unhappy movie know written order even watch movie waste money live interesting film good fragile bit derivative previous horror picture quality could superb laziness today video remove mask running white ruin picture purpose ray amazing depth color resolution white ruin image irritation annoyance ray deliver pristine image especially modern afraid watching found missing first time actually saved wasting life acting eh given ruined show original knight rider cheesy today still better show maybe caught broadway would probably like waste time could much better thought music good story line opinion would watch music treat great actor singer always good anything although story line good movie gross sit whole movie younger would probably enjoy movie style entertainment disappointed good always enjoy like god hate six fad young people dead one victim put hard love hungry got hair great music power music instance power great evil yes blame war corruption government laying seed bed generation proved older generation determined corrupt mankind completely watch amusement get thinking grand moment lost brought middle class middle class gone probably good waste time movie live u play warning advertisement buy trust lame comparison stage version saw late early could watch sorry hair road baby grew watching incredible musical world find movie thoroughly depressing high energy high intensity show point somehow create something like hair disappointing expect different stage also know done far better ending completely thus missing point please know lackluster attempt represent passion humor energy hair musical cast best wonderfully chosen cannot rescue numbing experience rather moving one original musical absolutely film lot simply work gift sent state child return never buy person great classic rock opera poorly directed quite disappointing anyone much better could fair knew going awful write report film class completely awful change everything musical even sing hair farmer musical plot boring basically unentertaining big rent discretion patience watch enough write story even tell story would evolve sing irritating movie experience give library load use way want karaoke bad music bought would kind like good wife review six never see movie play matter hope fixed never going try tripping dumb story weak really plot looking love die really inventive creative show pathetic whole thing flat first mean guy supposed lived emotional depth trout suppose immortality possible century concerning loss might little guy plain blase top evidently ultimate goal find one true love die nothing pilot writing plot acting interesting enough even good enough entice watching actually seen great show wish awesome idea really needs open source minded offering like world everyone use expensive inferior operating system free got invitation love watch like something like however machine want jump lot get maybe play system pass bad documentary sense true offensive harmful everyone matter lightening true mockery humorous entertaining level series deceptive unscrupulous scam artist episode field great damage losing trust indigenous series day jerk access realize professional expanding body knowledge actually exploiter people mentally deficient let yahoo western world abuse hospitality enrich video content remove series inventory show joke first season perhaps second potential season show turned soap opera draw attention actual really see since getting care less less paranormal one thing funny though fact season moron getting body show completely covered team remind dry toast boring seem going days waste money seller trustworthy would buy seller given chance first want say never buy seller item month come never came e mail communication horrible took seller days answer simple question contact get refund buy seller totally fake believe people believe two fake way professional ghost would rate show saw rate disk quality return season part poor production would even load player tried issue would load major jump poor quality first issue season believe people printing know people problem season fine season part disc production season part also poor quality someone bought season part tell bought set defective bought viewable came time wise quality meet listed cracked first work day hard watch set would better ran without stopping first set like pain stop start show older menu work well watch get play update took afternoon night resolve problem resolved cannot start ask resolved issue incorrect character title show put right track episode fun enjoy series enjoy one bought several days ago cannot customer service thinking something wrong told problem specific episode would fixed shortly past deadline gave fixing problem video still episode may wonderful love series may able watch love show miss donna much dissatisfaction show result crew applause crew much rotten gnarly bad production write real people crew say distribution agent certain production contract make million make million crew guess crew horror split two part hawked full price basically doubling pay typical series anything else per series turns slush cash avalanche second series production company garage nothing letter push love show money production ruin pleasure star support extortion fat get something cost half much hey onto show garbage fixate local said spaghetti monster basement tower would take super serious investigate educational altogether waste time money absolutely nothing worth seeing mystery unless get thrill constantly hearing hear see learn though even new guinea speak show anything interesting either explore scenery folklore went bunch seemingly cool faraway find anything interesting bad night time shooting host really sarcastic funny humor like show entertaining half dozen watching nothing follow legitimate strength never anything acting crew sorry josh tell em worst show ever someone really nothing material worth time however pretty good josh incredibly egotistical lard bottomed slob host lead investigator pathetically bad investigative reality show destination truth go around world investigating various mysterious mythical new guinea elves iceland japan flying river awful show unbelievably amateurish unscientific sensationalistic start episode crew travel many headquarters sometimes taking multiple days travel furthest earth interview hunting arrive country monster non stop stream condescending snide incredibly juvenile mostly third world lack sophistication st century sense humor would funny sixth grader bully schoolyard similar trudge supposed set base camp sole purpose someplace one crew radio respond military hero talkie josh base josh base set base camp wait nightfall around wilderness regular infrared video investigative aspect show every episode small team clownish play acting blair witch project dark time hear sound time wind leaves freak start screaming think saw something holy sh often one dark amazing thing every single episode one exception middle night announce camera running low quit travel away gear equipment every episode every single trip forget bring extra exception single episode bizarrely arbitrarily decide collected enough data evidence intelligent person one night investigation decide take found back la bombastic personality make cringe jerky infrared give motion sickness die laughing stupid running around dark screaming oh god every time insect noise conclusion every episode convince complete waste time never ever find real evidence anything episode complete waste since far exactly zero scientific proof existence film time inconclusive reason dislike series lack interest disbelieve existence anything already well hardly case dislike truth abysmally poor excuse documentary show anything negative impact credibility anyone trying conduct serious study potentially unknown yet discovered destination truth intellectually limited produced intellectually limited imagine would appeal sort person many site k bought based upon waste money production poor action poor example would travel half way round world explore something land go blue yonder without topping gas tank almost gas stunt times showing team boarding small turbo prop aircraft travel pacific island leave load toffee figure came cast crew cannot considered even amateur let alone serious oh want catch something film jungle shut slow start patience get interested end somewhat interesting maybe boring slow precise swiss way another boring film boring could put dead asleep save money time better spend well humor highly overall pretty dull good see movie ridiculous story line known pretty bad great show two show due strike leaves hanging mindless show truly wasting time funny nothing learn let watch show season never finished suggest start watching also second season increasingly unrealistic perhaps unfair assessment bought season disappointed bought mostly die hard izzard fan think wrong disappointing find writing somewhat witty izzard unfunny wooden sorry say series show cup tea guess care lewis black debate format get past fan sure love glad made available free better way try new risk free least amusing alumni attempt shock value really offensiveness humor mostly grating seen lewis black live excited see show little opportunity entertain watched first one watching tried rent buy show found one series cycling endlessly cable lot fun negligently addict imagine surprise find cannot rent buy series thinking limiting availability could reason reason profit enhancement fine profit motive work would speaking thinking bravo must gone something like people interest episode know point show gone people rent rather buy al bravo must law sell product one time sale revenue basically world though punter must buy series pop middleman resulting much higher downstream revenue bravo like money first though one work first play damn thing computer cannot backed player connected read second highly people would want watch multiple show sitting desk staring inch monitor instead couch front inch plasma screen third really show probably people travel inconvenient time long probably wont work finally quality video technically really really show fast line server often watch mac trying rewind like one instant whole thing disaster great show limiting market immature expensive technology greedy one hope pencil bravo realize better model allow consumer buy rent discretion rather bravo mandate pace market ultimately doom project wait inevitable worst movie seen since boy eats booger acting effects production strictly high school media class used play shot one pointed finger got better acting almost film audio like little pocket cam could bought small much enjoyment coming almost hit show film comedy drama really interesting historically since black made first half th century setting acting wooden never adequate stiff high school performance whole movie stage play put film end film speech making future negro speech organic story best film given female stupid movie suck sort story least way much real bad nudity found tight clothes bra almost show goods ample nudity like low budget hooker one would care plot would think would figure fact one cannot copyright title many take advantage fact one kiss kiss bang bang truly terrible movie disgusting poor production could watch movie thought kiss kiss bang bang staring downy completely egg sucker title felt angry thank god less still enjoying movie seen see felt quite angry flam people also add people eventually turkey lucrative fraud hope becomes punishable day take advantage unsuspecting people waste time money buy instead c chose review zero stupid movie one spoken match horrible rented star rating obviously typo waste time one please movie wanting see much beginning even child title actually demon human flesh leader satanic cult demon want really really succulent scantily clad young devour cult conduct part horror movie tracked underwear course caged await film manage take loaded premise fire nudity hot abound incompetent bad acting tedious shred excitement suspense even humor give one star gave two pair little whose investigative way ahead bland witless detective assigned case instead menacing villain pitiable old fool sample caged girl going mean physical even brains want see naked rent erotic thriller enjoy skip one foreign film w yor attention deliver end come without climactic end whole bad waste hour half watch free find play button web site one play get movie old quality film terrible difficult watch bought watch finished novel ended showing quality average necessarily recommend would purchase highly recommend stupid video set repetitive video clips audio therefore little historical value limited appeal waist money box set people selling ripping people web box set cost around story main character trying cope untimely death year old son rare heart condition also suffer incredibly acute sense hearing time common everyday begin torture much death son approximately got general premise story become profound interesting insert twist two anything annoy orgy overly loud everyday unfortunately disappointed oh absolutely horror unless count predictably lame ending save buck two importantly time fan tobe hooper directed original chain saw massacre poltergeist episode live reputation story blurry unoriginal scary tale told many times angry demon earth time oil earth body father son father brutally kill mother later time evil spirit inhabit son body cause mayhem destruction throughout town story real clarity suspense mass confusion film outside film viewer like thrown together last minute want originality horror watch hooper season contribution dance dead save time money hardly ever write writing someone power anchor bay might read bought many many anchor bay always big fan horror season nearly box set feel completely unlike always take put something shelf anyway however received set yesterday made sad floating around completely unprotected inside skull every single one badly circular scratches typically worst kind scratches around entire outer half inch disc additionally instead individual episode like last box set double sided episode side manufacturer could cut already horribly put together set foolishly assumed season one set box would contain extra available individual episode individual episode would recommend sticking however mind spending way much money pile dual sided box set way go get anything extra get something far far less money time around shame anchor bay hope everyone plan actually horror season would normal rather collector edition skull several finally recently ordered unfortunately due odd shape horror season box set casing properly shipping result teeth fell broke several recommend anyone looking purchase set future either buy site somewhere buy used give specific removed skull shipping skull securely wrapped rather hard copy purchase new expect arrive new condition necessarily fault much whatever fool designed case thought looking horror movie work waste skull made cheap plastic item came totally toothless teeth fell shipping horrid worth money actually going buy price right mind would sell insane used car believe looking mention season like seriously doc three young people leave correctional southern diverse white guy white woman man program somewhat superficial think young people need see may exposed yet since woman prison father got call custody visitation one guy birth child trying pay rent probation immediately overwhelming one point enough family eat guy motorcyclist since locked work never socioeconomic class however given lot parenthood hear anyone going college finished high school assume three working class us working class folk likely face system income people class background truly something young need see two found quickly woman work never wonder dynamic going although far us go jail men perhaps society think like doc may want see one stated jabbed pencil neck officer work never think maybe chosen coverage usually violence encourage indulge anti hate thus condemning ex con may let hook ending need watch critical skeptical eye audio synchronized amazingly poor performance bother wasting time watching get upset poor script amateur movie may worth watching speak german since two necessary unable properly review enjoy funny thought would times disappointed outcome much film originality poor script abysmal acting burke always amazing look actress except liberal good film tea party review rental film watched movie decided take chance would sticking trailer decent plot acting good good thing film beautiful one simply stunning listed end like good action flick keep looking worst piece theatrical garbage ever seen wife recant absolute worst written directed movie ever seen always come back film rented show exactly bad forgotten absurd amount useless profanity laced good conscience show matter fact even bring finish watching better left memory ever watched think time spent introduction actual dance time music used low hear boring also would recommend anyone feel biggest waste money ever spent excited get disappointed restore preview option want money back get piece trash please trick screening bad video transform fact would known looking black either side video beyond basic look wrestling done static unrealistic manner little explanation also cover much good strategy training methodology sport concept plot good special effects execution terrible guy bad fi really recommend warning cover advertising misleading though video titled camp fire cover art video also modern classic camp fire fish tank lava lamp video based cover detail standard screen shot selection menu screen video immediately menu scene camera camp fire long rather boring stage performance poorly video footage without type assistant get camera guy camera left pointed opening part show rather guest animation rarely anything actually occur worth penny refund purchase video seen prime example spend least valuable time experience hypnosis hey good time however potential note stage show chosen ability please hypnotist said anyone gullible enough spend hard money bear mind even stage show poorly produced say boring perhaps people show great time home stage hypnosis entertainment video documentary single camera recording lecture split screen amateur graphics even worth price certainly worth lively would watch sure video poorly made squawking background entire time instruction quickly difficult follow goes far trying understand complicated shabby best twenty short together make one video problem given nature video twenty short cut instruction complete still know finish made little helpful higher quality video husband love snorkel really like decent home movie interesting beautiful sunset overall boring bit book would better investment sorry say like many may read huge fan series mother watching series conveniently season one great new show thought could get season good better season horrible writing still watchable season great season around possibly best writing season oh gosh well good say nothing mean watching thought comes big finale final stand finding saving wade uniting collins real instead replacement collin merely unstuck space time forgotten end original slider get wrong one favorite engrossing story kept edge seat thrown away horrible fi network mean one favorite watch get right front love bennet might well never season right around corner collin yeah another thing forgotten seriously sad day history ended movie ended season best left forgotten great series season took turn worst poor acting weak script hard sit episode without cringing buy finish series fifth final season left lot desired far concerned however course watching last season series one character left original beginning tell something leave hanging end honestly bought would say bother unless like want end complete series acting less stellar could probably least give like really like either really border season think may dislike certain degree lack previous seen season intend see season information even season fail see point wasting time money great series first though short fall apart season professor th slider incessant juvenile wade really made last part season annoying thought provoking engaging season colin long lost brother real life obviously series momentarily show life let honest couple good looking nearly every scene hold onto female audience longer fight even though lost wade professor time series huge potential join quantum leap star trek occult like fan base know certainly took direction never gone ruined come universal give us season nearly two since season going sell product sell think make profit personally season despite longer number original main rating one taking long give us whole series would give season around rating course comment quality since one yet still case severely broken case main issue otherwise guess anyone really care season time original cast member left left captain still fi series went decline channel lost interest product series ended unresolved supposedly see anyone fi reading possibly encourage push th season would nice kept initial plan actually end series rather use early press show identical season except blue colored single sided fan show fall firmly sure get everyone else rent first order price bad recommend waiting inevitable price drop sub twenty dollar point wait tenner less well soon left story went door got stupid would suggest stopping season worth purchase want know story need knew going final season good previous considering main star longer forcing watch entire last season say extremely disappointed boring ridiculous left wishing wasted time say though hot ever show would really terrible show stopped watching took bad enough kill professor got complete collection neither us really new female character one bit wade wonder show got something watch back day went watched season hulu never even thought checked bought season wasted money fantastic cast start season either ran good likely get goofy plain silly stuff case time professor got midway season three handwriting wall season four nothing made sense character gone talentless brother went downhill fast fifth season bad recognizable cast poorly done way around always even rationalize spending money four five recommend anyone else either must worst one loss many poor concept season season really disappointment watch season want complete collection show yes season date make us wait like wait new season thats even country origin get first dibs maybe even care much fifth season jerry ended stupid justice one favorite waiting season luck far season watched half sadly worst season series original character left find twiddling middle bought available far buy season complete series collection becomes available believe missing much enjoy great could best fi series ever much original cast premise point becomes case bother hard even keep track anyone even sliding new cast given anything interesting series never resolved better time possibly worst final episode television show ever seen story outlandish even fi superhero show climax awful hate much going use spoiler something normally never hero death heroic inspiring touching tragic intend kill main character death mean something stunk running late something threw old piece crap get waste time disappointed somewhere along line really crass funny pick essence misogyny saw one stand video actually pretty good right cannot recall name would middle performance first recent one hope guy stand material video series engender typical family regarding marital man woman video deliver two documentary film really series boring speculative host video get nothing fan documentary fan film fan watching first figured well documentary anything new old tired hoped kind blair witch type movie develop luck save get couple one convincing evidence entire video practically nothing new show sometimes even elaborate form basis film fragmentation figment immature imagination film one man certain remains found species b c fact long extinct twenty thousand ago also species homo never continent north save two pass one movie obviously low budget criteria good movie mainly unreal far fetched made predictable yet semi entertaining film overall would watch nudity atop stupidity picture goes nowhere huge action fluidity scene seem together skip one movie decent however weak disappointed overall performance dumb good movie much script acting horrible could good movie directed say bad waste time silly cheap produced unreal full poorly protagonist gave horrible acting please skip movie script horrible even worse beautiful enough make movie honestly really high watched lot one worst one embarrassing seen awhile poor tangi miller sinking brother film student point usually notice favorite point job director photography found watch movie thinking massive fail even issue odd massively embarrassingly focus bad bad bad plot crap acting crap really nothing much recommend movie except maybe potential good laugh truly bad bad writing bad acting bad direction exercise film good cinematographer good editor take bad script make work script direction acting leave little editor work must painful director photography film chick flick movie could figure story line beginning love four letter substance worth time sit watch disappointing see would sign movie poor taste reason certain season well original site honestly say done real world milestone th season real world place torture chamber anyone stardom appropriate people different like modeling acting singing journalism reason season deliver annoying casting job annoying combination since season cast dude got public join cast let also family getting fired season job ego made easy target anyone went far man remember calling homo speaking hooked weird eyebrow get already key west gauntlet appalling cast member season joey cried like pansy every episode drug alcohol binge cried whole way cried whole way back house cried way house sorry butt quit forever cried show celebrity said lot sex however clothes still dark type movie sexy total time wife looking sexy movie watch one notch hard core stuff anyway movie sexy funny watch reading stopped understand go order product ever received cannot review product sorry negative dream interrupting semblance plot every bad bad acting take pick plus poor dubbing waste time watching bad finish keep sub watch time better move next one straight male movie may definitely listed fantasy heterosexual male negative available movie would received even heterosexual film acting screen horrible waste money horrible waste money movie yes lot sex man woman reason two even interact trying excite man movie movie even gay genre heterosexual wow crap glad got credit waste actual money dry cheap pointless unbelievable fake soft core zero plot terrible acting movie watch came highly disappointed movie photo deceiving never review anything give less three actually four put people misled think film felt like soft watch wish would spent money something else agree movie ridiculously plastic fake bet done conform extreme us audience comes sexuality expect go doctor mention vagina unbelievable way female gave enjoy sexuality model one felt familiar realistic guy directed sex gay told another way heat woman luck foreign female raw normal sexuality one local real anything sex city style believe real sex pretty bystander perspective prudish woman trying market anything living enough many silly childish sometimes attempt emotional psychological well read trying outgrow general stupidity keep mouth close longer oh smelly oh oh much hair head oh hate going disgusting oh look like model old forty really one example gay low libido entire male population even older back looking like many times beautiful like young boy rest case interesting stuff psychology really think full cool men male audience one latest teen older alike guess one really afraid feel challenge satisfy grown woman experience talking stuff like silly rose arouse point need kind stuff get mood shoot blink eye please whole majority sound like prudish lot sexual even really soft core like immature sexually ignorant audience sexuality pubescent mean hard core soft core mean really see genitalia close see female male nudity sex artistic way still manner blood hot running least opinion many ethnic get better learn one two remember good making war money us good making love handling real raw passion like way guy film kissing gosh would slap stop kissing like gay man nothing compete learn pretty heavy soft core decent story line genre opposite sweetheart wonder really hard get anything local need change get raw real reach point believe care girl model leg hair wide eyed chubby extra hair chest plain ugly would beyond possibility reason get heat anything point quench thirst know mean probably fall person see beautiful universe care human matter bit exaggerated make point wonder hear fall love guy great bed good night going pick less following instead alone would used good sex fall first guy orgasm probably would jerk get divorce soon get married hence amount us sex please much ask need get thinking getting married time enjoy fun rest come time thanks felt embarrassed watch low voltage film plastic totally fake woman used watch although us one feel went back past actually front back female male nudity many us got democracy back got beautiful delicious watch well sizes colors black whites long know enjoy play great sexy would ever recommend movie anyone unless enemy case would lie tell sex watch kiss partner way guy kissing ladies gosh get mind yet know tonight world attempt emulate look good cannot ever feel movie kind dramatic thought would dramatic dark nothing else consider movie best title cliche two dimensional lover turned dangerous pest formulaic highly polished film foot soap doll much foundation flawless skin beneath money way extra class ah baby quickly plughole bath water always one direction boring boring worth money expect soft core much story unrealistic sexually professionally poor production would recommend would actively discourage movie wife watch paper boy realize old one new one old one acting horrible painful story bad bad shallow boring kind silly unbelievable would rented knew going dull really like movie however tortured illogical pseudo intellectual scenario mind type well done one even finish watching guess decent period piece costuming appropriate well visually quite handsome problem trying determine exactly going foreign language mostly either already present available option unless viewer really recommend movie bad amusing really sure decent real kind movie feel already seen times watched one interesting found good acceptable pile watched lately st inspire review movie absolute garbage top bottom promising movie starting slowly feeling acting bad action worth time plain stupid many unrealistic apparently cute funny new comic strip cartoon version pretty heinous turned far could get video stream correctly help available biggest reason still prefer ray streaming love charge would never ever buy made copy show unless say whole season spent less whole series people consider thing copy copy period right bat pic quality audio good issue format r junk archival safe goes hell like idea made order get cannot see paying full cost less quality format made actual sure would mind waiting think selling product lousy format like r way go begin see quality fail also written surface allow even scratch like great show horrible format need people alliance understand people willing pay price r would factory disc actually last avoid format possible always like see havent able visit know enough show island well boring many yet could help feel like watching home video trip yes yes many many much better like works conjunction good cause education literacy yet topic quickly find wishing cause level gave depth explanation watched half video could take longer stopped video search better travel video prime quite without showing boring film magical city many city best would better luck trolling people home video attractive almost context even name half provide geographic context different city sense visit nice certainly pay view let alone buy said grab attention enough maybe add bull running maybe death would like better case minute sufficient warning video either pick single attraction two give detail deserve serve panorama variety watched prime rented disappointed little time ship appealing hoped video would give insight could get case video boring bought thinking would good technical video son really like guy decided make boat video friend run camera professional sound terrible basic think turn crank handle boat trailer worth money hoped little bit documentary experience video far voice far insightful much felt like grandfather house watching amateur video trip whilst read tourist brochure yawn rent cinematography amateurish awful script long encyclopedia try something else actually look totally unattractive manage nothing special seen better past waste money sure much blood deeply season need bring series back style many incomplete unbelievable say done great job nutty manager worthy well guess pack punch nip tuck usually shame since one guilty synopsis told two go see secret museum known holy grail load bull synopsis needs thorough least accurate show would much better video version could photo insult beautiful country canada guy produced directed composed background music video phone minute interview phone video looping content flashing sky night great respect al documentary complete waste money scratchy audio phone bad video barely hear people saying one second video clips show bad pointless mention really bad music background actually listening experience whomever made video may best terrible even get coherent message across increasingly unhappy pay times content system content pay content given think last month always interested listening thing painful insist watching like close pretend bad radio program remember watching show first mojo show infamous bobby capital group mainly extravagant personal spending two investment going time first investment clearly second investment project society frankly disgusted show disgusted learned watch completely ruin iconic brand clearly also watch pump one foolish ever seen e society show penny stock promoter show never actually made money instead mainly spent money gave show two instead one entertainment value seeing flying around lake house yacht however overall would recommend watching show looking business type recommend two mojo channel first start second wall street season grace hell mean actually head almost camera happening capture moment deer horror face one beautiful good knowing walk line chatter episode pretty mind numbingly banal overall recommendation series look specific cut smarmy minimum really great chef well like absolutely love looney one ever made absolute boy minute episode get better product money one actual looney ordered thought well admit watch whole thing fell asleep within first think little trick us troy looking time favorite warner cartoon stated enchantment day cartoon part cartoon one made laugh load watched right adult g f kindle said kindle particular cartoon even said said neither bad experience series way short price short also needs option u play whole season seen plot version truly aspect mediocre goo care two dimensional paper cut pace plodding drawn pace film without anything interest keep viewer involved could get halfway mark unchallenging puzzle thought let give bottom line front bad b horror movie seen exception camp death thank god one hour one minute let give sure warning follow opening witch doctor wrist yet cut blood even close next two driving car see stick whatever used front light casting shadow car pretend driving something yet thing front light back forward back like windshield wiper driving would gone one way next scene two see guy holding gun woman head radio possible hostage situation could go video already life need nap rent find change couch old pants pocket anywhere still rent get cup coffee donate charity throw trash anything pay rental big waste money ever spend time money nothing marco polo little silk road information mostly incorrect overwhelmingly boring favor fine source marco polo happy huge disappointment movie practically nothing silk marco polo maybe title like tea road viewer would prepared producer fixation particular industry flick maybe worth keeper clips otherwise essentially boring quite achievement given area awesome scenery history terrible money movie nothing say rental beware rented whole season episode enjoy giving star keep people away mistake thought could get video audio worse goes made take music loud voice soft unable follow watched show never watch plot episode unfortunately subjected son revealed series thoughtless formulaic quest help find way stop infant tantrum explain little sister mo time pout cry needs speak infant pictured could speak require help child help quell tantrum music revealed solution tantrum sooth every crying baby baby sibling monster giant dealing jealous subjected kind imagery trouble poorly black princess white girl pig backup blue eyed male protagonist terrible show visually minor background wonder kind ridiculous train thought made basis cast backup supportive consistently disgusting forward thinking way arrange clearly chosen forced attempt inclusiveness would rather show white boy see pig level beneath white boy main narrator white boy always one solution age high importance care haphazard way thrown together though committee year old super bright colors earworm personally rank super lower end educational literacy specifically recommend sesame street higher quality writing production making much tolerable even enjoyable super probably animation episode episode entire framework show little sense turn pig alphabet power pretty much exactly thing princess pea spelling power speaking princess non super form different super form magic similar princess also like change classic nursery need go begin story let change big bad wolf book small nice wolf pig real world ask friend stop knocking show certainly worst thing sesame street super rather cheap mind numbing look behave trend alike follow super everyone else healthy community filled ordinary people part community anyone endorse mentality accordingly premise magical place fun reading apparently right behind library book shelf great works criminal school even make read mice men four main use power achieve fairly limited popular fairy tales bizarrely recurring theme vanity snow white emotional unavailability dopey dwarf also bashful doc annoyance level first realize voice voice made secondly princess pea get live pampered existence super red squalor grandmother inequality deeply troubling score educational content like fact show however go way discount example episode scene pig gold get taken porky writing stuff questionable content wonder often wish show would discuss alternate want grow knowing surely three year script writer would like see bucolic scene pig household whole family eating delicious meal hash bacon rented movie able watch movie never customer service quickly said problem fixed still problem movie never able watch yep name movie worst never seen anything like production script ill movie quality film made high school however think four cost make flick comment quality video since never got something adobe flash player link nothing arrogant blow arrogant provide way get money back taken look price video think would get setting bar little bit lower make hour rental video writer may think video worth play lot lower price make money money true win win video rolling head watching reason east west coast split going ignore woman born drag queen embarrassment people performance acting save couple identity new living life people game sad representative alternate gender identity ugh waste time privileged mid looking something nothing would expect funny even slightly good collection old never made big room well must made somewhere though video would rather seen movie documentary thought informative nothing special speaking movie worth watching love cotton movie speaking well suppose could get work make couple one know largely video tournament neither documentary instructional video bypass get play freeze computer good shape also option delete reload disappointed went media player format video demand operating system mac non os able enjoy video demand service look flash based video demand adobe flash accepted across os would allow bigger audience enjoy pay video demand love glad able get music video free bit disappointed watching knew free thought music going good catchy didnt seem like much still enjoy even though wont watching often sorely video even discover cannot remove kindle cloud music video think better music video guess always want less right nothing even better see granddaughter would like felt good young child modern looking loud could hear well make sense shown pretty much waste time cute daughter however streaming speed super slow stop several times less show time instant video instant h h h h like first times watched back back got thought plain annoying even know ended list saw first movie think much hate like bought son galaxy tab play free leave nostalgia create something new change name rolling fur lined clear really silly even usually love like happy play good want like whole feel like watched aside yes would get trouble mean spirited like conscience seem vindictive mean spirited play un cool guy always trying spoil fun original parent figure end episode would cool advice made look like fool happen something evil adventure end like lesser music missing altogether one screaming answer question get work computer poor rating might good movie perhaps replay original new attempt use name sell great video compilation movie thread one seen movie significant meaning standpoint took lot work produce standpoint think worth sorry toddler need say short bother streaming love hate receive package one anything ordered season selling company march th said th nothing issue told nothing could always great experience one customer expect receive company think keep money without way got day find case great content work right stop middle menu work right like content long since bought along season birthday gift time found problem window stuck incomplete second season buy one watch right away case something wrong bought season three however say uncensored yet indeed disappointed huge fan first season second season leaves much desired agree another reviewer special largely worthless search annoying unnecessary considering huge show built could easily put effort unique band related find saying writing quality declined considerably many feel either rushed incomplete dragged meet standard episode length several beating dead horse reaching button also plot development leaves viewer virtually exact place season one ending final episode lots great animation right back season said still good concerning father band weight great die hard want everyone else borrow friend got season yesterday aspect ratio original cartoon network season really hate production get aspect ratio right especially got season right send message buy flawed like technique lousy anything specific knock tournament would recommend looking see thing knock type thing would expect white belt make work waste time bizarre stupid movie tried really tried like odd couple comedy guess people might somehow find con homeless people enchanting amusing one people though enclave homeless people interesting factor fragmented know immoral illegal possibly felony feel good reason mixed topless woman silly fight another resulting guy getting hit crotch toss serious musical dance fast half movie trying desperately find anything value come much end movie completely nowhere like knew finish come good ending said let desperation instant video play watch hulu longer rent looking get wet video looking new add sessions disappointed video basic save sloppy best video looking good soccer foot video say based reading conclude part family circle much tone bit waste money useful anyway example towel club cover arm drill many sort thing average grader would come example make circle rope lay yard try chip brilliant idea advice inconsistent weight shift drill move head properly tee mouth move free stuff lot better basic golf instructional video entertain large back yard like trapped b movie bully orange wig cried well b movie right zombie ass kicker deserve high regard b kung fu avenging godfather demonic pretend high grade hell opening title card production company ever reassuring slogan suicide bad even basic plot candy comic book going first trick treating since traumatic experience prior brushing teeth chocolate syrup start day prepare candy gathering obese film mine friend appear threaten help neighbor director aid shoe polish must face oh like thirty padding movie fifty nine lot weird seem unneeded someone said hey cool low budget every definition greatly curious use sax string extended version dead man party like bad like think even low budget movie good even eh acting love movie time good direction good shoestring budget acting sorry really like even parody obviously intended horribly oh note people buy rent digital based box evil looking schoolgirl see zombie ass kicker tried rate zero unfortunately option preview video immediately struck experienced would poor quality preview opening sequence kiri lack left hand centering insufficient understanding practice exercise beach lack pressure mae seme make alive based preview would say run walk away video one boring boring live hope something interesting finally happen lousy acting bad script give miss rented year old year old love digging surprise find foreign language sub nothing stated sub disappointed need label carefully content language used lot stupid brown found cringing watching two little would recommend illegal illegal thing explain anyone agreed involved movie mighty powerful blackmail material wait movie blackmail material entire cast would look movie say went far tastelessness watching thing dare fear factor game show bong loaded potent marijuana known mankind make funny longer fear hell watched filthy entirety god mercy poor stupid soul really like one goofy late great teaming gene wilder kept trying stay plot allow stupid knew coming knew going goofy movie filled crude humor time funny beginning prison second trial kept waiting something make tiny bit sense nothing really came around prison like park visit warden walking office prison rodeo many made almost unwatchable fan movie well hate say really really bad gave least respect wilder easily deserved star must funny back ago like around considered classic give like hot got free still feel hopeless movie producer pathetic nephew works main mistress current wife another woman low self esteem slept also works various tied together psychologist biting satire seen lot funny sure involve telephone psychologist reveal even mostly found show self absorbed unoriginal also see point graphic sex scene aside exactly add nothing really south park dirty funny nothing funny dirty pathetic show terrible good eh television could use brilliant less eh really step outside real life producer might ask got anything new new would good looking cartoon television way first saw south park going look certainly give two think might almost twice also times found painful watch two really give quit watching entertaining like movie like continue watch movie movie bang department potential department whimper surely deserve three four star many people given movie brave likely screening rather coward really take necessary make eventually interesting one scene guy obvious social engineering trying take advantage female lead one film admit point said loud would time want press button seen film admit thinking thing good reason tell movie ended make point tell ended also degree spoiler know something seen film jump last paragraph accidently set bomb somewhere probably one one injured would alone would far impact movie pass reality bombed really bad way love never got development either take grain salt never buy series episode mac allow purchase bitterly disappointed even trying watch instantly quality absolutely terrible run way better pay extra buy series course mad men fantastic instant experience watching sorry people lucky enough problem whine else one rate product essentially defective unable watch video watch two time problem watching anywhere else watch first season suddenly sex driven ad agency culture real experienced favor amoral tawdriness strictly designed usually couple starting new season really get know plot like give two three first episode mad men interested finding know minority give try may like mad men one historical fun look almost historical verity sort like abysmally bad sort like watch kind fun soap people watch lot small physical mostly right sort magically transport era photo ugly narrow lapel greasy dumb skinny fact everyone chain people drink work everywhere else time glasses make look like sort detailed superficial entertainment industry done right last fact thing done right last course whatever close enough another achievement seemingly unique recent annals television actually look female course bunch hilarious beyond non era everyone show sports accent exist around lot fun expense advertising find amusingly people watch sort show work similarly vapid creative selling underpants thing interpersonal level silly variety psychotherapy whatnot false god making dumb nihilist somehow secret ad men fathom reality really inferior drug stash booze background real made imaginary misogyny mad men seem like small beer think making kind unfounded assertion go find single work literature insanely misogynistic jack road animated therefore win one amusing show wrong morals sure plenty seducing early since plenty idea time utter crudity casual race hatred extreme classism male conspiracy keep transparently absurd people alive days still alive related life work way people pretty much except instead sanctimonious racist whatever meaningless moral absurdity able come good manners actually works better classism exactly lot subtle assume officer identity make way world way main character class hilarious every ding dong horrible past family trauma high privilege living near artistic people idea led kind life suburban alienation evil sleeping everyone well mathematically impossible think minute believe premise program every men world would nice place live much reality still kind fun watch way bunker fun watch someone else put kind like halo night st century frat house watching cheap sanctimony watching sleazy high office drama female looking drinking enormous booze plus everyone entirely enough smoking bonus great exposition st century upper middle class neuroses past sanctimony way really much irritating let laugh idiocy make drinking every time someone way designed elicit modern priggishness rating passionless suburban sex dry drinking screen god sake story constant alcohol know maybe point get past depiction alcohol screen see story behind think may well received people grew like seeing times well although simply believe emphasis drinking alcohol purpose even case sober record hate alcoholism stopped watching mind season removed cable life relatively funny something season plain straight face non enjoyable commentary wouldnt know great video ordered still havent full stuff damn unsatisfied sure looking watched couple watched since different take review history somewhat mundane try tell story current generation trying experience grandpa went way way actually simulate trying times went actually way matter forever mouse narrative amateur video mere travelogue hear one refer empire people learn correct pronunciation pronounced chin whence china comes needless say stopped watching travelogue movie journey silk road fly city city along silk road show bazaar every city look different people little history involved although hear mention marco polo woman like might good time man like murder woman making go along boring annoying music never would asleep gave good shot quit home movie might shown elementary school classroom good scenery age hell made documentary old couple see world kick trip low budget pornography shame actually take back usually better script good grief talking historical part silk road exploring culture tradition along road went first go like genre however one watched premier may get better think finding none sense shot poorly everybody like year fully adult sexed never think barely made pilot rest go actually used show going live putative city shown glad never running loose everybody self destructive tired trying political agenda form entertainment done watching one although program refuse try convince lack watch one along network ever start watching show first time knowing expect trying first main character one bad thought good series plain sight due good witness protection program good entertaining series even new dexter white collar burn notice alias similar well written action highly entertaining series inferior product acting bad neither suspenseful full action entertaining think really attempt try something new making law enforcement series around girl girl interaction even level series weak weak weak waste money one teenage watched one episode first season said awful fully believe watched one episode second season yes bought two based solely rating series waste time money made past pilot probably attempt someone corporation make statement girl girl chatter center television series without much action bad major unfolding intense danger sorry feeble masquerade nickel actually cost returned watching part pilot disappointing show language opinion plot slow hard follow main actress trying bit hard tough woman character flow well together hard pilot get maybe give time really feel like would let one pass find solid cop show watch half hour series mind premise show around u work witness protection program dialogue forced annoying domestic comedic best zero personality bobby probably best good thing show show bad sit free episode female protagonist crabby impulsive woman feel protocol partner ignore boss apparently avoid fired holding cell window hear take one witness site murder another witness within st show maybe doubt watch long enough find pedestrian show made better weird lip work lead actor done first shot first episode main female actor upper lip like aardvark may shallow get past like attached appliance pair something upper lip good enough make suffer self mutilation want us watch timothy oliphant pouty upper lip like augmented also series write way better program offensive easily offended would k prime time show main character coarse vulgar ten film abusive language main attraction non stop repetition made switch one foul mouthed drug enjoy pusher make one care enough main character watch pusher watching get see see redeem movie hate single clue movie description even trailer give movie zero give zero know wasted money movie watched based cult status due say really movie due sloppy muffled sound shaky camera really slow moving somewhat boring movie end day much preferred part blood actually less one star say cannot warch even though get try watch box saying retry cancel seen purchase recording movie sword recommend getting video instead sword still pretty big fan first two third season good formula palatable season stale formula old cartoon raw animated format cartoon season crusty filth place nougat tasty piece brain candy imagine would season much seen television rather uncensored leaving foul language sex imagination consider part charm comedy yes fill screen imagination seeing hearing far different could done without seeing talking penis seem circumcision fetish without genital mutilation life hearing curse huge piece humour season left feeling like watched bad make coming edgy raw imagine night prostitute would similar yes enjoyable left behind film cannot washed away probably would taint head dirty feeling aside entertaining enough watch every episode think season tired formula maintain merely add series rather growing hopefully season four something new better like engaging long term plot character development taking series new direction probably find season three interest season four like monarch luck focus season first bit really dragged show new previous flow hank dean chemistry interrupted hank new friend may may brock son find murderous monarch adapt marriage season far would recommend must venture life disappointing wait another year bought season find unavailable customer service chat told temporarily unavailable would become available said could say really streaming certain inform buy season guess season missing sent would let know available still received satisfactory answer show give since instant video service give season star cable venture fix since season two came great anticipation season three sadly anticipation turned disappointment animation poor new crew job unfortunate like cheap morning cartoon venerable venture come know love language line cleverly two liberally written f besides fact f word lost power overuse presence year watch show previously let peek attempt encourage least little subversive grow finally suck always found venture little hit miss score oh baby awesome unfortunately season one two score far often three therefore heavy heart must say doc let x yet two forward season three definite step back first disc poor condition second half unplayable acceptable considering used nature purchase spend venture paperweight seeing preceding bitterly disappointed season crude humour spoken animated consequently nowhere near hilarious much care detail put animation honest terrible urge strongly purchase seen probably times waste money season stupid show enough low brow humor already even remember show recall utterly disappointed maybe think got minute mark went bathroom took return turned think generous minute discussion stop watch bathroom creepy admit season saw jeff insufferable narcissistic abusive petty childish somehow charming funny time perhaps point jeff plenty sane people around backstop push back got nutty staff member write formal letter apology cat see staff member away cabinet back turned cat jeff start international incident cat discovered cabinet sleeping season outrageous enjoyable way one word season creepy staff around stopping jeff various plain disturbing jeff secretly break marriage two one tell jeff apparently show residence unannounced fact preference unannounced furniture throwing away unneeded mercilessly new gracefully inevitably quit bravo dish dirt one one liar one publicity apparently jeff people appear reality purer like unexplained desire kowtow petty sadistic man jeff finally point return went talk show publicly accused one former interest child pornography point show funny creepy homage profoundly disturbed narcissist sum one word sum two run away mention creepiness swear season finale skin would literally crawl watched abuse people around someone please tell shorts either sad unsatisfying seem think gay people always either clinically depressed insanely socially awkward desperate straight guy sex downright two collection sad morbid even two hard sit course people would think gay people weird look cool p want money back wish wasted short make movie one difficult sit way thorough kept telling turn kept thinking would get better sadly never really short story found good story surprising ending worth time opinion spend time money one gay boring poor format sorry wasted time continuity although happily married heterosexual male confirmed romantic heart movie summary romantic rented alas good opinion two lead simply tormented rather anything else climax movie although trite physical climax final setting sun still sadly lost soul person movie happy life older woman running retreat best acting movie came real surprise young housewife writer whose husband leaves range abandonment rage release finally heart anguish truly superb acting want watch movie feel empty wholly unsatisfied one otherwise find another one perhaps blue color maybe first romance blue worth time see save money see anything else find good book enjoy didnt know would kind film accidently selected movie never rating possible sort thing might watch art house person one keep waiting something happen along way lot bad acting fan conn know one works pretty better choice lame looking forward next film perfect ending however woman write film infantile rhetoric behavior film need twenty therapy looking corny melodrama surely find film considered classic hear head banging wall hate say film still better job making bound tipping velvet vita pity honest half way almost turned wish end glad movie us simple truth falling love new every time despite painful past one may avid movie watcher disappointed say skip watch loving think straight much better awful movie draggy disjointed disconnected potential much better acting marginal best plain follow audio quality poor fact badly save money save time save energy saw review movie several ago opportunity see excited finally chance equipment failure reason loading however able view suspect something age movie inability equipment access older try see hard enough live watching die hard shaped us lived early days epidemic personally remember mental fear even able test disease throw suicide mix much like movie end felt wasted time watching movie disturbed later definitely something lighter ending day whole season many ago use cosmetologist thought would entertaining thought show would fun entertaining boy wrong weird one kept talking hot wife another best another even deserve could even finish season boring show reality show drama dull never even show seen first season even find four like everything reality show watched one episode show first one percent people watched night must feel way number million million four hour twice four two nights considering competition stress watched one reviewer channel however mean sort fare shown network television much cable however show creator cable cable network picked even though much toned airing major network case episode watched entire show fact thing show tab shown first tab drinker rest show superficial every aspect show worst way could morally gaining dad approval caught reading penthouse stack actually probably part show remember know penthouse hustler equivalent today thought low much emphasis whatever sure done morally unacceptable way guess mean seeming also think couple swinging part couple swinging first really made move awfully fast believable show fine cable r rated watch buy pay see thought poorly written poorly factor another reason convince spend money something else badly idea badly badly executed show saw television last going perfect example sexual perversity vulgarity excessive violence general disrespect intellect television audience standard today network apparently people make market television digging piles garbage perverse notion quality television leadership current television specifically lost buried moral intellectual compass left us question stand every single show matter successful tape eventual obscurity value die get public every show g know record annoying cool able bunch went ether like rare album suddenly liner expanded material rare album anything coaster moonlight war home waste time fact second life wasted time maybe get second life still stop fun forgotten hoard terrible waste time worst genocide history since patently absurd first even agree people according narrow world view secondly genocide ex fascist us support name fighting communism east timor genocide us genocide war bombed gulf war us gassing actual documentary conveniently forgot picture smiling killing millions saw half every foreign intervention us since except said nothing panama el chile us human us invade hand oil fantasy film either even check said k well million million people past us imperialism least get math right unsupported useless propaganda cheesy music beginning man acting presidential candidate withdraw globally spend half military budget people thereby improve whole world audience ominous sounding music background great evil would undoubtedly ensue fictional turner got president leading epoch peace prosperity instead endless war debt scale unheard quote old man film one view people film mouthpiece us imperialism would celebration global scale us world obviously real question clearly film based last question becomes critical yearly budget balanced times past financial heretofore unimaginable every time disaster somewhere world send people lots money assist much country suffering high heating fuel help mostly government send people assist also help declined send military money really make news country almost every manner imaginable one rushing help us read news report fearful us leave economic spent military say better place live give support military presence everywhere still protect south japan reimburse us right much economy hit disastrous financial depression answer world without us become quite obvious imagine world without satellite earthquake probably know time find would go without us road bridge infrastructure falling apart power way spend time ca endure rolling brown black us poor point right people government ability turn around firmly believe fix government financial health care infrastructure solvent look helping degree historically social exist many us feel secure enough today future currently face self help neighbor next door assist earthquake thanks opportunity respond little propaganda piece continual support military industrial complex qualify compelling filled half may even qualify documentary anyone good amount world history knowledge poke full fist sized may well video version doctrine first thing first u enter complete isolationism even close ever remote possibility today world documentary even said concept possible today due economy thus right bat big way promising start secondly middle east second war documentary bother mention behind even though war already one fourth post cold war time period evidence never worth reconstruction u political allies never even went far one specific oil field award non u order oil factor oil quest prove democracy freedom conveniently left inconvenient gave view issue give credit however overall impression still one middle east countless radical hell bent rather pessimistic fear mongering point view moving east one main get perspective one major problem even whole perspective documentary nationalist right party none moderate conciliatory party popular support alone enough one purposely china nonstop rhetoric first place would think information could important flourishing democratic certainly power said take mensa member figure whether key accidental purposeful reality ground two enjoying ever director producer aware yet documentary went paint picture filled hostility china posing big bad lot like tactic background hidden agenda issue japan start documentary huge deal japan arming nuclear arsenal u leave thereby provoking china false assertion far right literally fringe society nation million membership nationalist top even total anyone actually believe wield considerable influence society government apparently documentary showing dressed imperial army japan building nuclear already one world acknowledged capability build many public opposition one classified secret around china certainly aware essence nuclear armed japan would change nothing without u military presence documentary note trying vain paint another picture unfettered hostility two u standing virtuous peacemaker finally whopper documentary subtly china would nuke japan get way commentary trading china technological well would help china either front trade technological acquisition accomplished nuclear wasteland cockroach aside lateral japan also two foreign direct investment china scale automatically economic suicide china whether u involved certainly popular millions lose livelihood even authoritarian government possibly ignore ramification since standard living improvement primary reason behind retain power past want throw away playbook risk massive civil unrest scale world never seen nuke someone pure fantasy scenario conclusion impartiality abundance self documentary taken large grain salt quote one section documentary make mistake piece work strictly amateur hour barely enough fool uninitiated wonder production film people government believe help screw welfare let commit happiness every foreign nation except let us policeman see domestic pile happy always worry question care welfare rationalization militarism solely beat death everyone news race nothing new rationalization going increase military spending war without end hollow weak set conservative right wing point view lame attempt scare although review video clip curiosity film well executed never really question outset would world like without us definitely right leaning raise several provocative somewhat interesting lot logic becomes film almost nauseatingly one professor point view matter political persuasion might shallow unbalanced unconvincing film update previous review felt really objective film trying make argument bad world would without us examine issue really bad rest world would without us involvement agree point view probably like film heavily us positive influence say least disagree point view watch film virtually time us negative impact give film star really want reinforce particular point view one entirely share since history lesson instead argument point view really like militaristic prattle tired role last extra son daughter sacrifice world people made crap people harm way really made general dynamics course suspect mention big horror movie fan trying find good b horror tell undoubtedly worst movie ever come across saying something terrible acting photography make seasick one making lame attempt blair witch knockoff even know stop save hour life telling avoid thing like plague though given video cam bunch high school let goof front fact think exactly save time save money skip thing one ever seen somebody taking video helicopter flying around guess supposedly person voice telephone various people people interviewer even rented gift still felt pay watch piece got one worst x file ghost face mu ha ha ha lame per month watch entire instead per episode season entire season decision ugh see hoopla back sure hope season better starting watching science fiction watching lost fringe digging back log x show made find interesting possible far love show made watching streaming never keep watching streaming service best love show glad many watch love really excited saw season available free prime first pilot episode want watch whole first season cost absolutely betting get hooked buy pay price shame prime member neat content see connected able see monitor anyone solution problem excuse awful pun title episode hard follow ahead sure watch episode read comment apparently shuttle launch getting two figure episode good story script also props footage use lot shuttle footage supposed mission control room outer space lack inside cockpit besides never even seeing men danger get idea one astronaut space got possessed something ghost apparition alien form cut metal would require tremendous amount heat time pull sabotage shuttle told scene supposed ghost shuttle everything episode everyone verbally explaining every action spend money actually get real props effects end commander window see mess shaky camera blurred vision give illusion tall building kill ghost along question darn thing live space without air would need human host live possess idiot standing sidewalk right commander pavement maybe thinking much poor episode visually plot wise first second episode first season show would definitely episode forward looking one would hoped technology require least one novel idea done million times already love series really bad day age provide wide screen format picture quality poor needs watch native k ultra high definition even moderate definition ray would much improvement relative sat premise show good helping someone update trailer guy star show unbelievably stupid show family helping sorry like like escape reality much next guy would rather watch anything sit another episode even want give one star give something give wedding day week funny show really cheesy really bad acting one terrible b play late night cable first episode series free prime believe nerve first charge episode season show put see one ad anywhere gone get content included annual price monthly billing hulu willing put go back cable point reason mess model works old series lot promise flash invent muscle first time superhero like guy tights course unfortunately st century kind comic based show anything action love story ridiculous make laughable romp break neck speed animated flash funny intense fast dude version partly due could video time plot sketchy bad poorly definitely appropriate acting something th grade play go watch justice league batman season truly enjoy flash honestly costume really cook looking time period made flash one favorite super hero ever since nickname flash track learning little bit cool really sit long like way watch stay sane skip threw lot much story made series days made like arrow would love made make days would love watch even episode seeing awesome arrow never knew arrow watching show wow actually awesome story behind got accuracy everything awesome one favorite even thinking green arrow comic see cool flash already got lot really looking forward seeing make come show bad part paying cartoon got parental come prime love show adore nostalgic picture quality terrible impossible watch even one episode straight without constant love prime shipping video atrocious wish sill syndication prime good watch worth careful purchase watch think lot inappropriate attire want repeat thought going went watch episode actually batman superman let checked see streaming correct print quality old even feel like watching please restore poor quality prime early teens early originally fit nostalgia brought back watching sake completeness could understand purpose season however consider worst season thanks small part annoying non superpowered lose capes fly use practical like batman robin fairness say big fan wonder either considering brains trio probably appealing looking character mystery despite distaste get see justice league see hear typically justice league unlimited e plastic man green arrow watched one episode came know plastic man character imagine made thought stood serious superhero either series wonder woman ability fly short like assumably jet long distance traveling course short going waste time money relive side note without speaking ill dead found better narrator ted knight love movie series far many whether freezing call office many times got little relevant assistance basically received lot cutter even see fast connection still tell valid solution left come free must pay series maybe made mistake science fiction buff fan old outer show good story telling bit fun touch eerie maybe good twist end episode none plot bleak depressing felt bit nauseous end view story telling obligation entertain story set dashed brutally cruelly like hearing news report psychotic gunning school one acknowledge happen real life consider entertainment first try watching new never watch another episode last winter prime dandy fireplace video free w prime much looking around trying buy fireplace far disappointing either boring short video loop repeated endlessly gas never burn otherwise change wrong aspect ratio good sized cheesy music lame brain thought would cute likewise big buzz kill big black sides image excellent job effect problem particular low version want real wood fire slowly maybe throw log halfway little excitement tastefully optional sound f x mild crackle small pop tacky whole thing fill entire screen showing fire somebody ugly fireplace worse junk like know keep simple please know dozen fill bill thanks good boring side much information little detail extraordinary quite obscure limited time format leaves unsatisfactory result current date travelogue give decent overview city culture basic travel first time even though made talk gilder currency like instead listed cover really time hanging almost getting run tram tour watched trip really one better globe trekker globe trekker series probably one best travel date however video quality streaming version awful also around computer play goofy unbox player useless install poor rating version show great crude compilation real episode movie less minute long detail story line found music annoying thought maybe unmuted maybe went another movie accurately render competent review movie noted library rather celebration life rental money wasted mediocre video quality religious commentary hamper program astounding art museum planet pity quality would content interesting great would look something else want watch something iceland worth watching nonsensical film costa nature wonderland know movie never brought product know review reality show expensive short episode also episode rather cartoon west live action series contemporary cartoon dubious quality first prime purchase see animated anywhere saw title date thought live action series sadly since watched several turd get refund much careful giving money silly batman used seeing oh well bad normally take time review program fiction purpose entertainment episode even contain basic story rising conflict climax resolution conclusion episode fit star gate story line lazy writing hot make lack imagination skill give effects get zero another completely implausible scenario science fiction one thing unbelievable fantasy another back life transformation way often probably vine every episode old blah blah blah disc play us set play different country tried computer regular player play buy scam fifth final season writing production style vastly plot turns begin happen reason topic episode unable get past th episode thus far continue get better writing get worse season long legacy series goes whimper bang season five divided clear line handful enjoyable half pointless side lackluster writing absolutely bearing story even good air heavy reliance rodney ex repeatedly fail live potential reek care fall flat character development sparse glossed first contact lost tribe pair high point season writing slightly solid show ever done series finale suitably awesome concept rushed production time ruined even last ray hope even admitted episode commentary enemy gate three part episode instead plot single episode enjoyable episode abominably low quality many space vastly superior anything truly beautiful right artistic grace highlight far show fallen worth purchase complete collection expect nothing mindless entertainment would give star husband would give sometimes sit watch guy game real reason glance way eye candy roll thought dead one less episode irritating especially one actually episode introduction brought new lease life theme unfortunately despite excellent found original series general boring mundane largely due poor casting series would describe straight x factor one could ask well x factor truth cannot either lack perhaps simple description factor someone dynamics charisma personality character able bring large array facial acting ability captivate audience introduction ben black original series instantly superb series needless say perfect casting balance decided end series first three superb indeed hesitation try may could find single fault casting perfect story excellent acting special effects superb unfortunately season four disaster season special effects continue remain superb however fact two three bring dynamics series namely particular wear two together bring series life three x factor order make series movie successful trying gradually introduce redundant original series thus possible replace straight actor dynamic actor visa brought charisma personality character together superb acting tapping straight actress sorry say miserably tapping would suitably member team working lab say compare two notice charisma personality character wide variety facial role tapping noteworthy appear different season four briefly brief season brought life faded rapidly exit may please offer advice sake life need appear many possible season five tapping needs take different role successful series suitable replacement similar blindly season five watched television may well cut make first four purchase final season ever may convert file good reliable conversion prog x even removal reinstall prog x happy doubt purchase love series gave poor rating kept skipping one bought worked great though think going support new show coming soon better think act writing terrible clearly lost steam going write new show clearly time new talent write show awesome awesome meaning later really left lot desired lame clearly written accommodate budget never meaning need spend money make good well rounded cheap story scope though buy let known invest heart new series going let die ended way soon send message plot entity weir unexpected knowing character many uncharacteristic put people danger several times lied knowing going never lie people essentially commit genocide really ending weir crew would feel comfortable killing small group peaceful one went rogue tried escape call genocide especially tricking walking think getting chance continue research think writer seriously character bad taste title annoying ever hulk creepy get room line father never cross crossed several times would ask refund pay watched make sure would suck decided would good idea give show tried watching first couple never able really get stopped watching wonder highly season thought would disappointed like home movie trip doubt know stuff show video find learning primitive treebeard wilderness big behind shopping mall idea good time might enjoy movie sure pretty wild could better film furthermore pace video leave people looking clock every seriousness sure video would useful especially looking leave first world culture take residence remote village new guinea apparently remote people video appear knowledgeable govern sale become public domain either really old really poor video quality induce certain level drowsiness watching video despite knowledgeable useful information seemingly nice people criteria free might continued watching bear cheaply shot home boy scout could stuff would recommend survival knowledge common sense well format personal enjoyment never came let know love cane happy cannot rate video due problem site cannot play time nearly unwatchable sure much able learn furthermore much jo cell phone would made better video poor sound n even worth min watching unwatchable absolutely terrible shot entirely shaky inside passenger window moving car waste money time like nothing bunch roll drag video complete waste money find better car good video really expect workout video way much time everything image probably good time gym day hour long effective workout given proliferation low budget zombie sometimes take plunge wake call e reminder even possible taste among entertaining still hard create alternatively find new story film technique time expenditure rewarding even movie deplorable upon shoe string budget train needle haystack astonishing unfortunately one former lower best forgive whether special effects technical script acting movie fruition even poor one effort vision vein hope behind movie learn experience develop example low budget zombie movie exit humanity zombie saga problem one zombie genre example vampire zombie crossover field would stake land decent romp price back awaken dead film technique annoyingly grainy monochromatic video like since blair witch realistic style popularity definitely hit miss viewer blair witch feel far mark three main acting talent odd good performance priest witty nave witness unable rise flawed surroundings similarly plot potential early going rapidly hell get bad zombie make action effects probably among love zombie category enough view every single movie matter painful fair enough course vary perhaps also adventurous would forgiving take rating scale one production cox box sorcerer needs fix people indeed rent crazy idea one get one sham boo g production one said cox box total like cox box see sorcerer rented order watch sorcerer interested cox box lo behold got cox box sorcerer video needs accurate description removal altogether good thing rented funny guess first pretty much seen also something look especially like audio great funny show think time money rather watch wonder season still available boring like watching paint dry admit second disc little better first one would buy received item tried contact distributor order got tough write long running series blame monk running low steam said season monk cheap expense character generally cringe worthy previous combined nadir probably monk genius mediocre murder plot gimmick make monk give integrity ex resolution would better written year old still found though monk punch perfectly timed gag disher suspicious mobster nicely tribute late two departed monk home monk magician monk city hall monk miracle several delightful make gravy become household reference almost certainly first murder denouement chant monk series best good mystery character comedy writing season three rarely single episode series second wind final season monk star series funny witty clever apparent issue season seven however play fine except season seven season seven three times two different defective time freeze play remains great regarding return policy far returned within time purchase consider watching quickly time limit deadline still defective set thought season view never used wasted money bad beginning end waste money time blah blah blah blah blah blah blah little hour long promotional video friend martial school quality video grainy ground repeatedly video tape leading believe twenty old little way instruction good experience good people kind enough refund money much better streaming poorly made non existent quality control know made like home video shot terrible simply terrible big fan globe trekker series travel approach unenthusiastic boring even discouraging turkey important information odd extent find another video turkey video audio aspect poor narration deep hard understand color something used see junior high school late tour rather disappointing since interior course fast producer limited time since color difficult appreciate sure beautiful experience however stop video voyage basically one hour god awful motor boating sound background drive produced directed written scored one person really wasting time watching hardly video old relevant today scenery cruise movie good good photography stuff like forever one worst ever wasted time money sorry hour life rubbish someone needs make movie actually us justice bad waste waste time recommend watch get anything saying horrible weak best however like last one way deal homosexuality reverse angle clever idea super self loathing clear plot one good film even close want enjoy series short find hand want remember hard closet high school film short horrible like idiot forgot already seen twice ugh really comment watched could take sure like short left hanging got first story pretty went hill like girl movie super pretty low place good even watch waste time watching short clear middle end hard form opinion something short really thought since paying would higher quality girl girl scene free although like last short film movie either great personality attractive appearance woman neither girl dressed nun look cute street spoke perplexed tried cute making part talking person deliberately turned video black white horribly humor traveling information worthless actually get city mention form transportation used show short second clips giving tourist amazing next tourist next tourist think people building next tourist beautiful come spend like could read traveling brochure alternative recommend globe trekker long time fan globe trekker series actually sell honestly irritating watch obnoxious woman see close face see walking see standing see trying toss pizza see tasting different making happy face coffee ugly face like coffee maybe constant chatter supposed cute need guide plan visit movie bomb pardon pun main plot movie timing movie acting one continuous battle scene rated star music awful narration good really recommend one pretty awful usually say anything regarding good poor production narration hard follow german clip available instant really excited see document instant video subject recently first thing poor aspect ratio almost crackling audio media converted directly video screen tendency jump magnetic video player correctly score attention rather add enhancement would probably better worse yet narration reader reading permanent sneer comes like reading propaganda film rather documentary content added nothing already sizable inventory already already skip go directly battlefield series watch russia get much detailed academic piece narration able timothy smith hard beat get much new information movie care writing narration somewhat disappointed interesting much focus presenter yoga beach son felt like homage several brought organized fashion end war thrown together advice watch buy led believe movie behind stupid stupid stupid narration much footage know reason bad enough exit movie much like foreign language fail include sub large percentage fluent mandarin whatever know whether merely result film air sure annoying problem frequently tell truth dont know movie good sort hard train dog everything told get someone needs prime begun true value prime membership provide free second day delivery getting less less way prime free thats sure take look today sept new year old mel movie real recent teenage slasher genre never saw cinematic release promise little free via prime poor quality dregs us prime entire hour learned maybe one two new historian really would new fresh look german war care narrator writing good documentary standpoint vintage film footage however overall production quite rudimentary little perspective given map actual information specific placate fireplace real one cost prohibitive right since primary venue high via box make sense bypass save get digital version big mistake video supposed five different intended watched independently nice unfortunately play sequentially beginning end one big file without directly access video want way loop desired segment forget setting background holiday party unless want run back manually cue every therefore cannot use video intended producer little thought went making digital due easy legal way split individual applaud decision release free music format way please follow suit otherwise last purchase going see get refund edit added star video anything acceptable customer service issuing prompt refund ordered version know seen plus pass version wonderful addition video library pay extra couple overall experience well worth media worth getting price waste time people fireplace fish lava probably worst one ever made select one want watch even loop fish tank start end standard definition total bust someone going make nice cozy fireplace video full seriously one rented perhaps would serious investigation nothing sort show simply every piece mythology ever added paranormal phenomenon attempt use even common sense think complete acceptance face ghost dust fringe element think show without single question veracity miss one even worth rental looking video cathedral mostly new age type narration little visual appeal information correct good video gain visual overview cathedral learn anything useful cathedral hard separate fact fancy mainly video cathedral religion knowledge catholicism inaccurate exist want see cathedral try link actually see cathedral condition outer plastic jacket storage case came plastic cover jacket heat properly storage case also several broken taps case close lock properly return policy allow returned would take extra time get refund would go reorder process go purchase several storage hold seeing one could longer lock original storage case show every year select handful people never seen usually dark soul searching exploring soul heaven forbid comedy ever win drama feel show academy award winning actress role bitter drunk smoking promiscuous cop never hair everyone great drama add fact sister got blown ago angel house whenever bad girl run around house naked stringy body almost unbearable watch even better give break find entire show annoying heck feel purpose entire production getting people apparently works one reviewer show liberal watch write role religious aspect give another break show manipulative every murder every scene even introduction music showcase show worth rental little offer unless grainy folk music like came phonograph ordered see lot instead many different clips around feel like got watch one person dance even song video almost dark even see great enough easy watch next time please sure process get movie listed lot home happy start selling part group made trip might like film remember experience rest us quite boring could endure short really see background music narration constant source irritation stopped watching awesome show terrible simply terrible must include review else say mention terrible yeah wish could get back remove memory morbid curiosity watched painful going insomniac theater hoped would least good depressing boring tedious deeply embarrassing deeply distressed embarrassed similar horrible stint family feud hosting show celebrity seem feel way well actually feel sorry trying vain make watching better production show actually worse original show terrible production cheesy anything since chuck original host kind quality endeared many even though never huge fan original doubt last one season oh boy love heck seen twice person san hilarious begin describe personal brand filthy based comedy sadly classic game show pretty bad expect much produced even low bar set bought show b c fan love old gong show something show stupid go home bonus video read book well actually really book found covered lot useful interesting information way easily digested non something definitely recommend video really bonus free would say give watch considering currently cost opinion would go unabridged paperback unless like bad acting plot move one stupid neighbor much else yawn yawn yawn yawn yawn acting yawn think waisted much life see movie wow really hope film produced film class project dad old something hope got least b effort watched film sad know full well cannot get time back truly could watch stupidity killing brain faster drank fifth smoking ounce crack listening country music horrible dialogue horrible best acting done dog good dog special effects special anything else nothing believable effects nuclear bomb ground level strike would widespread wrist would probably affected feces knocking door well everything everything film unbelievable self red neck neighbor provide comic interlude insufficient distract remainder abomination cinema red southern personally hail fine red neck stock venture anyway may gotten better watched first room improvement interlude may scrapped enough money acting school director ended hospital heart attack pelvic inflammatory disease something film may turned something worthy watching high possible movie dummy mean wouldnt even look sister bad lame premise slow plot development total waste time made half way losing interest like zombie cool thing type movie half neighborhood get probably lot fun everyone involved fast forward prime worked better could watched comical zombie would made fun maybe convey tedious trapped house first steady stream profanity problem many write see blair witch cast clothing five house foundation better get checked nutting kind cute likely key car second date sort way evil character considered regret watching film free heal time sort funny film prophecy rise people revolutionary monarchy communist party come pass movie would win waste time watching glad pay watch boo real plot real acting even hold attention easy walk away would recommend even hard core b movie fan late night sleep try zombie movie oh one bit b rated maybe great rated poorly know oh wish would read even sure one rate b movie maybe script interesting movie concept interesting place one small house start finish effects bad bad acting well tried tell everyone made movie tried talent mix bad movie love bad zombie vampire might love one holy crap effect pretty terrible laugh loud several times c grade movie lead actor several funny would interested seeing real movie usually suspect start also director producer self need make since even b rated movie waste time dull plot direction whatsoever seek finding looking picture video toddler least older infant lead believe video help potty train child however potty training video diaper method training video video use diaper method infant completely different process potty training toddler video good explaining method got instead found different counting works best think well clip sure really going make anyone much better game globe trekker new without new lived n h life army duty know n h new would know saw show globe trekker new normally fan globe trekker series particular episode traveling expect gloss good vacation far enjoyable one might expect one went show alone beautiful country gracious people even budget one travel relative comfort favor go title misleading video prenatal postnatal infant massage prenatal component also bunch props yoga strap block ball postnatal strap kind movie would normally shut first five however since friend mine sat whole thing acting horrible part best course adequately describe horrendous come mind concept interesting well executed th ought pretty stupid plain simple matter play said first join prime even tech help could make play either guess one love story see work streaming video instead one must video view one would nice know advance avoid intend view via video demand streaming movie fortunately less hour half long unfortunately hour twenty long script less twenty psalm faceless keep coming back grim reaper angel judgment little sense however one two interesting raise title scene nice series old graveyard horrid people crawling around black black teeth pointed nicely poorly executed also scene figure spell word graveyard would disappear done well gave away done next scene overall prime kill free right pay much rent thing mine first anything dissuade anyone much less movie good dead day week month whatever plot horrible acting terrible juvenile put politely even low price still felt fully aware issue still demand one movie even one bad good simply dreadful single thing going one please believe take pass even thinking movie get free pass use something else give away used movie someone really despise really difficult put dreadful movie horrid ashamed use name title even call something deserving another administration something fitting horrid nature dreadful p wow could thing worse inanity academy award thing would win really know anybody right mind would buy thing let alone put video subscription service zero rating possible wish read subjected trash group people tried make worst possible movie ever would miracle matter skillful think scene come across tree hanging wall maybe scene girl tree definitely scene encounter phone booth middle forest music call phone booth like obelisk b movie undefined plot special effects leave lot desire ending leaves many unanswered need leave least seven review done idea one make like old would made far superior movie agree previous review movie worse would miracle waste life something else would kind senseless waste time without even quality would forever regret taking single minute scan movie impress say pond might used class use scene demonstrate ways one make film making least shot enough story get something edit together know never got thing guess film first effort writing framing film total waste time may kill brain skipping ahead film first min looking something worth watching never found anything well find bad movie horrible describe scary worth watching really hope people read even reading description wish could get time back anything shoot even thinking movie remember put capes silly movie know adult would watch good painful goes long time even hint ghost train finish murky mess film watching soon tried watch movie minute stopped acting pretty poor well waste time say didnt go far watching film preview enough torture one night shouldnt even considered low budget low budget dont waste time crap watch said prime prime get together unwatchable say another stop offering foreign come sub good thought going routine boring slow worth like really bad acting slow poor story streaming stopped twice waste time poorly written poorly plotted frequently far beyond would acceptable police procedure laughable impression director new trade working hard develop style sometimes works far often director could make bad script anything bad script acting earnest whole impression trying vice peter survive sophomoric exercise gone show capable actor giving two primarily favor save money give one pass missing original music broadcast original huge part show everything else great well would say stick original non original fun show wish could bring back none first went open mind hear world stuff instead got lady talking son special like min rest taken son saying special seem genuine mother annoying attitude many display talking fair share interesting like min worth minute mess public domain ranging us civil war influenza period civil war material part narrative pandemic swept us late th c rather jarring see battlefield union dead contemporary still apparently cell phone camera effect little slide show without knowledge history photography coherent story telling done black white jerky hand camera sound track really bad mostly public domain music electronic noodle ing possibly one electric bought way back acting well acting let move overly negative still must point talking hand video camera w rehearsal acting bad party scene laughable see zombie fall report fired shot revolver shown several visible mention sound track video way back sophomore high school made slide presentation mike tune series life magazine war passionately anti war year old though got project boredom indifference never pathetic would soon mercifully forgotten director produce hand camera man brother sister acting movie unlikely learn similar lesson since hawking absolute narrative actually charging product certainly film really wretched really really bad bad beyond page half horrible write creator piece sequel end video audio poor use surround sound movie short disturbed visual audio movie pay attention theme worst garbage bought good grief like stupidity film subject quality real bad suggest bother better trouble content wise worst documentary seen guess version documentary karo e k completely full rattles end little water bicycle maybe water bicycle action rest documentary karo e k rattling unrelated material like marketing video goes completely long instead paying rent people watch low quality production disappointing thought getting movie without movie complement fairly well known worth money movie decided documentary boring find like musician sing lame back ground music first movie typical alright conspiracy movie may well known nothing shed light generally known actual length hour music scenic might well watch code even though fiction incorporated least still get basic conspiracy operate simply recent conspiracy genre really provide solid information lots innuendo scarce factual research poor audio video please note wrong video file linked demon di skies actual video receive queen episode rather support notified like justice bull riding seen bull riding far better rank would recommend anyone thinking new cartoon never seen combined involved put effort show lack luster voice acting scanning panning bother project final product comic book reader new trend motion want find slap create motion poor quality good invincible one watchman comic another example poor production know writer comic next time see ask let work get turned low quality piece garbage recommend reading invincible series either trade paper back individual comic form expect support motion comic bad idea really bad idea lazy idea like put something anything tried work well like stuff like love country thought episode tanner ultra martin v vantage buy see first love battle dome purchase one episode episode one episode write show happen get fixed hip college love clubbing trying say even interesting useful totally silly little piece minimal help traveler footage showing even people pay price full length feature film produced got first turning like late jerky camera ridiculous love bangkok favorite city movie concentrated could done anywhere probably find lot interesting video worth time watch cook deserve better video college brag drinking fun riding speed get valuable information video island people culture waste time speak dollar watch piece documentation well even watched end content annoying better buy travel guide want learn something cook island like review say much worth watching definitely worth time although date obviously much older opening shot twin background obviously series targeted towards youth market youth hostel according video night quick search night almost double maybe want know might like travel youth mid shoestring budget going someplace nice fun yes skip movie difficult get got point turn never description led believe sex would taking place kept waiting waiting never came intended might death blow except movie sense without naked people dry waste time really would better nose grandmother old seriously considering suicide forgetting nightmare quickly enough logging camp like experience bunch early party across rather kind real travel video hard glean information could use trip centered specific people ran talking group scored ladies like rio tourist hot seen college aged take cast jersey shore gave removed aspect interesting personalty stuck exotic locale made stupid would annoy would get best thing video bad idea fora personal technology steven long zoom obsolete space want new tech old show put product placement ahead plot last episode comes literally commercial ago town eureka overly recent plot used catch script saved day bad good show lovable perhaps someone change back help seem beautiful writing interesting enough help think viewer short second show seen done style really hope new trend art amazing ever reading graphic novel comic book something even become hard us harsh reason animation story boarding actual animation animation cannot accept yet another unbox video time fix quit business substandard service like black format cable show pretty bad much side show type program lewis moderator two comic relatively little known status providing opposing comedic ugh disgraceful movie young world un educational also bad influence movie half dressed recommend enjoy video little review type reason let poster art fool must student film project dialogue stilted wolf internal soliloquy ponderous may worst thing ever watched television story quite make sense definitely come together end animated would guess movie title picture also goes back forth silent film text frame regular people talking little erotic would productive leave description worth wish could get back business major really like apprentice know diddy clothing line record label successful thought could interesting look empire see business mildly amusing mainly annoying fighting like would task show really disappointment poor production absolutely one worst seen long time totally unbelievable say stop milking talent butt ugly voice like cheese grater gross hateful person go back day job want order thinking film might touch bit corruption inherently non western customs related building stadium mostly lot random ethereal difficult understand either meat film anyone wanting really learn anything building bird nest culture disappointed bird next exactly think except film really construction much process getting building built e g culture also side go nowhere biggest problem movie tough read sometimes documentary white dark border every time lower part screen light white impossible read anyway fine think based previous thought would good movie watch worth spending inspired watched first decided continue maybe inspiring end probably lot better quality genre available watch video nothing understanding visit like amateur home movie nothing besides extremely much included video since complete waste thought opening ceremony parade done worth would bought known opening ceremony parade really chop cut lot stuff show would wait post full version example cut must supplier least could hurry release entire show us due storm pathetic equipment colorado station go air due storm would nice would step release show anywhere colorado see way job release copyright let torrent file distribute legally see please ban place heavy clause contract forcing take responsibility failure part make right timely manner thank drivel sniffle piffle mary ate pie best tuna northwest excellent wine list rented dan pandora funny one season sometimes funny downright offensive quality good repeat mediocre done yoga difficult go ahead get bend pretzel stomach workout also hurt back bought recommendation friend recuperation back injury basic feel better watched see little travelogue got film w poor impossibly strong accent drunk people good laugh could understand every th word husband traveled quite bit normally difficulty understanding film road trip across canada criminal least say driven enough information many feature train river outside town informative video narration little cheesy video abruptly middle segment worth rent much old telling old lame thing person getting turned minute see watching full house usually love buy comedy central norm reason buy incredibly unfunny jerk stand even fast forward ugh cheesy production writing acting great would recommend anyone personally like high definition format old format information buy music enhance room expensive wife though help day want money back realty series boring say think bobby brown sick music new bought far informative host goes half dozen different insight see however old easily old also host dopey guy add anything insightful movie yet see oh wait see one strange watched half could stand felt like money back remember ever seen acting bad movie reading directly cue totally disappointed movie story lame acting poor enjoyable chemistry main want cash back thank god like come undone beginning end red would totally give trying find enjoyable gay love high point movie super super younger lead character total sweetie gorgeous rare end ranch best mediocre although story line rather cute dialogue stilted acting self conscious learn anything title step step step step would recommend people buy product rented book worth charcoal let see drawing one picture start finish step step sloppy work disappointed nerve instruct someone else drawing anything another one wright boorish excuse rude wise cracking host guide see good variety japan main island may think funny viewer see country cousin ugly thanks county library loan like low budget home movie useful information focus plot line unrelated location film first love globe trekker one better travel witty writing good great travel however video horrendously late around part informative pleasant enough host would seen interesting lot last buy rent video want know best go see teacher aware need preview ready fast forward show topless host one far least favorite host negative also episode several really culture focus documentary basically hour half speculation poor video quality non sequitur accomplish anything real evidence embarrassingly poor quality video barely posted free pay included account free people ought get endure garbage remove nothing poorly lecture quality sound awful screen often see content aside highly due presentation junk worth time please watch movie hooked real junk monotone image clear hard keep interest even though pretty cool hear area insider interested e subject since disclosure dialogue disappointment essence good interview first interviewee ten less interviewer provocative headline guest met worked e area basic e comes come earth long know planet people want planet long people visiting earth long civilization existence basis social structure civilization religious science based culture neither knew corral discussion cohesive interesting followable format sound give watch something else instead movie would see read somewhere movie less zero definitely comparison less zero really young drug addiction personal genuine creatively wonderful way young predictable terrible acting like watching young people clearly making stupid sake making stupid substance friend act black use disrespect extremely unlikable stupid see anything beneath surface character dislike beginning really end get deserve end sure movie made one worst seen many please compare less zero movie great classic love got really bad cartoon like computer background although like actress really really bad futuristic cell phone friend never meet show used real main character people good time pretty much entire show plus minute maybe bit think could cool show old print used old style format family diet approach today potential interested movie would much better background music first movie almost quiet especially plotting tone feel dark scary engaging adventure also slow way cut unnecessarily drawn also gang mystery movie strange turn sad domestic little heavy rented movie got good disappointed interesting year old lost interest year old checked interesting know city st l understand also cut hair sold clothes privy enough make movie humble honestly gangster given photo story exceptional charge movie plus made mind proceeds went good cause rent tried stream man bee mac spending hour customer service still could video customer service agent tried everything helpful could resolve problem recommend product anyone trying watch computer use anywhere computer disk zip file helpful film superb deeply disappointed restrictive policy despite film access mac unfriendly media player recommend media company restrictive film access policy student san writing post knowledgeable expert san story n ai excited see read however belief tribe n ai even start film already modern civilization represent original san culture physique also felt film crew staged number may involved helping san return capture giraffe kill showing young girl holding praying mantis let know san sacred creature believe praying san famous rock art first part film quick shot one skill mention important fact art paper great art much already modern civilization end film show art way making living already finished people could go film ask see also find appear staged contain culture old much sailing dragged much long much show year trip around world watching pretty much like forced watch neighbor vacation video slow sound music odd narrative like would learned day day life small sailboat two teenage young daughter dad slog end sick fever require much mental thought watch really case perfect day home flu would like refund though cannot believe would charge family relate positive side sailing scant negative offer charge would like refund know year old home movie made unless got drastically better start really bad must late early boring travel nothing blue sure story sure nice message without preachy acting horrible ending left even saying thought supposed mystery know dove movie rated certainly rate two make disc work slim overbearing new copy protection scheme something else thought supposed universally playable apparently get play one popular ray read around see people exact problem know issue still one fixed wish could get money back buy instead great show avoid ray watching buy got intention watching worked perfectly disc non starter got screen said ray recent blah blah went back home screen got replacement exactly work disc back home screen even anti piracy warning buy great show get hate show every person watching liking til death get nasty show stay air lack depth people think funny watch bang classic like couple barney miller real ordered non play either stand alone player love show finished watching third season went went watch deeply situation buy bad review product show ray known problem work correctly able get past update screen date remedy problem many web full people problem stand alone player might sure though way review show season full whats wrong season ray sort weird compatibility issue usually backwards compatible gen first would load warning copyright would stop latest update disc yet every ray disc works get ray love season good season good first worth every minute star review work least older primary ray player avoid issue resolved ordered product watched skip ordered brand new work first couple worked thoroughly disappointed product holt awesome show season great season unfortunately met poor audio video quality ray problematic transfer lackluster audio truly enough knock point final score good distance notice bad video quality anyway set would worth collection except one fact defective play nice older st generation problem either want play mostly disc problem disable network connection repeatedly press start button disc first get play instead menu done thing less extent well sometimes certain audio work instance dialogue background music dialogue everything else please love whatever god pray pray buy ray intend watch movie video audio overall technical final score technical considered fan prior disappointed season story good sometimes painfully bad better season addition premise future ted telling story getting old irritating barney even say suit entire season plus become whiny joke need improve quality show longer watching plus ted even bigger sad sack streaming cost buy box set make sense incentive purchase streaming actually way love show though seriously convenience factor worth almost double price get ray rip also hassle like trouble took quite bit able watch show sadly show awesome bad release buy instead shame season ray well took plunge sale price really like show wouldnt ray price well said brand new system never problem thus far could play disc common problem season returned wouldnt risk waste time problem ray version would suggest buy unless ray player numerous ray work worth time trying manipulate ray allow get past warning buy show hard tell people actually watch sat watched show one occasion never chuckle tee nothing like dead inside watch show believe laugh anything practically simpleton show want log onto write horrible gross smarmy oh going infiltrate one make point watch regular basis glee lovely show insipid wait til cancel piece garbage seeing make want puke son series bought watch show first came soon lost interest vendor awful still yet receive product vendor respond worst ever star show awesome best ever problem ray work play first disc two impossible one sent broken gift supposed new disappointed ordered month ago still waiting seller three times never got answer file claim still pending terrible experience guess watch series form beginning saw beat make much sense huge fan show however worth season sunny scant worth purchase want watch nowadays want watch hulu previous whoever put one added content justify price great show highly recommend want watch entire season catch certain save rent one never received item claim within week seen season probably would bit amused however best way put season version season previous new fell flat love show season sun next season love show th season funny look shock value season result simply funny thought poop episode would good lame went theory way simply lost interest ridiculous clever sum plus whole waitress thing beaten death one episode best extra show disappointed season take risk seller worth bought collector received outer visible damage manilla envelope small piece bubble wrap surrounding case inside crushed plastic floating inside case fact product sent broken look like broken shipping wrote seller twice course one week week last response seller last half unfortunately sadly disappointed seller interest helping everyone mean everyone left bad review seller response seller money feel need recommend pay extra someone else great series liberty bell episode one nightman awful tedious day much sometimes get annoying love show two magnify bought season used second disc actually disc season season wrong disc case plus skip sometimes badly freeze either fast forward totally skip episode gave based quality show amazing first season even half way second season turned laughable show cant believe series hour movie finale story way way much would advise everyone watch season imagine thats series ended cause creativity sure understand fox season four without public great bunch prison break understand made stupid mistake moreover include final break yes come mean unless second production ariel come belive fox market great market first time make wrong series thank god plug show enough wasted four following prison break get piece crap ending total disappointment quit prison break awhile felt really knew happy ending gone see ways brought back ha fool look got naivete doubly ending hard group watched people incredulous cry know totally taken story anger rolled room silent reaction quickly went unbelieving disgusted mad season sale cheap remember show bitterness sure dismal right angry seriously doubt ever watch fox series try hard edgy become cliche absolutely love season came season understand saying time happen close caption season love show knowing everyone saying since hard hearing even though turn somewhat fully disappointed time fast forwarding else sub copy sub someone serious hearing problem feel watch series gone policy way return set happy worst season ever fought complete season end season serious writer become crazy occasion dont lose time season st one five one one final one star bad argument stupid overall final worth time watch show first season fine season got worse worse season prison break let talk working together tying beat clock homeland security offering freedom help company mahone sucre new techy try work together try push aside personal try take company people trying find way current situation bag bird watching book realistically season joke turns cheesy corny best dark ominous music supposed intense situation laughable agent self absolute terrible casting call character could chosen someone better play part simply said street couple law enforcement could trying accomplish season season got lazy told season would last season finish finishing season honestly atrocious plain simple season watched first company server first three immediately wasting cut unless real big prison break fan absolutely know season beware buy even close season brilliant concept season wacky top times still high quality mainly addition mahone season tried copy cat first intense prison atmosphere actually decent season story shark times whistler early spent much time building company dumb box flash drive predictable death predictable pointless return turned mysterious general mess character removal scene tumor bag working gate fake id team fun rented discount price dumb season slap face diehard later still figure make difference season previous frankly found poor scenario predictable mellow love previous reviewer stated stop season u fine absolutely absurd enjoy drag repetitive predictable twist love prison break fulfillment top notch would recommend season anyone unless addicted prison break like watching coming breaking bad high desperately replacement stop watching season glad waste another life without wanting include review shame decided steer fourth season soap opera pretty clear everyone ran good midway season plot less less believable soon laughable good suspense interesting ending individual want start new one interested one point simply lose interest weird number side series originally simply stopped watching recently decided finish proved waste time writing interesting prison break plot easy task unfortunately see season really good though season acceptable excited receive prison break anticipation watching package find paper fine scratches across surface dismay said cover fortunately many scratches severely affect however condition disheartening sincerely season big market lot language bought previous enjoy last season fox add everything great got th disk wouldnt load play thats get see disk sent work first two show amazing never rich unique watching season want watch season one two writing hokey awful driving force many hokey aha seem written wrong deliberately bag word wrong corrected would never happen sucre man crush smarmy good guy way know hurry end since probably knew halfway season really screwed buy first two possibly third pretend like end season end show happier product stock credit card lost money transaction due variation rate dollar little money unpleasant notice opinion prison break season one best season show time could stop watching buy season season entertaining already attached season little better season season never season first seem pointless true prison break fan recommend order season sorry excuse drag series last ditch effort money flop season almost bad season good could easily write page review various took exception suffice complaint list plethora plot even night would said enough enough people back life know never confirmed dead dead enough thought prison break making bid soap opera various many bad work need sloppiness company whereas general even say word season season chatty equally careless slipperiness bag bag left almost many dead wake company end show knew one thing nuclear bomb went would bag cat uncanny ability always enough information keep alive act season reluctance kill endearing quality made realize real criminal position due trying help brother season sick kill act although repeatedly faced danger ultimately left killing accidentally killing people e man hit piece wood fell cracked skull time actually trigger surprise gun loaded heck people resilient finally tire amazing cast mean amazing stunningly good looking heal quickly normally afford show lot leeway comes suspended belief manhole weigh five concrete easily run long top speed guess show go south every annoyance abuse bag sucre took still even visible scar getting brain tumor removed take survive make full recovery free lasting unbearable indifference season edge seat holding breath every close call every escape detailed even quite torn taken electric chair season longer edge seat longer exasperated capture triumph single disappointment season scenario one many times different format yet outcome always show lost umph lost luster severe lack imagination hence sharp drop quality like company directly proportional writing writing got company see show flame way even ending anti climactic show would better ending episode honest entire show sustainable show prison break bought season would like find one seller communicate well provided z guarantee used refund never came seller refund watched prison break beginning bought stuck show loyalty killing main character go route able watch previous recommend anyone point good guy deserved life back taken away would talk hope faith went shocking instead hopeful ending season full full full watched prison break since beginning one time favorite watched instead weekly schedule read star review season know stopped watching end season read going get season many abandoned show point picked show brought back hoped prison break could hook season season good especially knew would back although good first season anyway write detailed review season completely already wasted much time prison break time break free nightmare season opinion season rest fact bring back beginning season kill end also everything pace improbable story ridiculous even though going bother let give season getting safely back beginning season company huge threat fact general hit people knew anything company totally unconcerned hardly almost end season show company kind comment take care sometime halfway season know year old could learned take care company end season beginning season span according onset season get see shown tortured shack female guard getting front female guard head one sent box guard long hair even bother write dark haired look alike also guess forgot season told front closed shown present shack bag top salesman motivational company office gateway tunnel leading go utterly ridiculous unbelievable imagine bag white collar executive see buy one scene bag believable answer know sure lot people ironically one authentic season turns mother season everyone death bag dead alive working company money power hungry brain tumor operation single stitch showing head know get close back head trying open side door container loaded unto truck oh yes around like brain surgery days former one immunity team becomes u congressman return wife one face full view could go list long even absurd therefore long explain short review reason giving continued give excellent worst material work always suspend belief watching prison break suspend disbelief season written team brought us first finally accept prison break hopelessly utterly broken way decide watch season go ahead watch prison break final break well also wrote separate review might soothe disappointment feel finishing season great addition series another failure huge insult intelligence think exaggerating know premise hour movie getting prison murder remember received full immunity along rest team getting back good watching pitiful addition series watched prison break beginning want come full circle importantly watch message prison break well show end free finally season incredible series went steadily downhill know whether lost original got burned season totally imagination small collection plot constantly slight pretty soon realize scene character drop character character come behind turn tables getting drop character every one good family member taken hostage bad time character one episode pretty good chance next episode reveal narrowly predictability suspense director annoying habit trying show tension suddenly start gasping like ran marathon disappointing even finish mind shallow infantile fox could ruin something great original never history descent like excellence season one foolishness season four watch season one forget ever made especially like lot season interesting well written exciting season little worse still good season lot worse simply bad season bad find describe buy good advice give watching entire episode season really hard watching whole season torture show good couple ago run fresh even worse season pass first episode couple days ago thinking could get sneak preview yet listed day find way cancel price shown account keep mind watch previously free today see price two last night come charging people actually access show maybe revamp interface get stuck never intended buy better customer support maybe even phone support digital excited video demand like better excellent complex enjoyable program actual message certainly rarity days ended abruptly dodge dad really blame first occasional racial stereotype relatively good taste drive comedy last season crass blatant racism desire appear racist several show early honestly see could continued limping along would cruel let suffer far cliff hanger last episode found simply care fact believe would better ended show inside probe would mess nicely let review stop good show first star fourth disappointment first box would take disk episode bigger box one like producer got plain lazy rip also see series complete happy wife show either top lame thats beef plot plot case terrible one episode skeleton near electric looking work medical field even something test maybe electric moron five realize skeleton quaker new quaker along poor character terrible acting mean worst think unmarried better make pure mindless worst popular concern figure case people like enjoy fantasy land terrible like mystery sense look somewhere else love enjoy mix humor hard science like among relationship booth like according list set first season man outhouse finger nest set extended fine always enjoy seeing landed cutting room floor expense complete season cheating customer especially set complete season first three show much fourth season result loose plastic hold place even house four unreadable despite clean resurface would recommend product store tilt box tell disc still directly either way happy fox switching shoddy midway series rate product got two defective wrote seller ad response like information replacement set could write better review product set reasonable amount time however given six least half one show could seen picture broke sound ad said product like new must works well think twice something like absolutely love show watching excited receive th season watched provided missing two parter go included cant tell fox purpose series disappointed shipped first season four perfect purple pond man outhouse finger identical also missing four customer service rep season set condition used like new product even close able view first immediately e mailed twice never acknowledged e quickly resolved problem thank helping customer extremely dissatisfied product received back recently decided watch episode two besides first episode every episode crap soon play one read disk skip place seem scratches none work past main menu know error rip wasted money return product long since received product busy mess customer service shipping back complete loss thought give quick review help someone else problem would given star rating season included instead open find first three missing huge seeing left end season even imagine would disappointed incredibly disappointed set include first four season great two episode show one set nowhere indicate would think another disc partial refund something totally product defective problem got instead third party would better get pay low price buy unwatchable would ever buy another product company love series watch due order something really think since sealed new condition would absolutely love review product especially since huge fan company unfortunately still sent need go looking missing season maybe could find almost three long take get set days would given star rating watching find bonus disc search bonus fact plugged almost disappointed never seen bonus bravo case false advertising unlucky sent faulty disc please enlighten please please guess true curiosity cat watch curiosity even though film b pretty well made reason even gave witness even couple seem staged really much different stuff crew getting activity leave area next day understand hand unknown origin already proven bear paw know keep shopping around unknown hand actually feel kind guilty even wasting spent rent watch truly need know really get new information couple fake proceed caution involved three major regarding recent hoax whole documentary one big pat back would anyone hope removed soon joke disappointing extremely disappointing want watch something supposed understand turn match huge scratch disc sent replacement thanks b story bit complicated exciting number season could made much better experience found hard get thing keeping game certain times wife bright handful holy crap one last episode seen probably know talking overall going experience sorry much hope season may sit friend unfortunately box set came trip shipped protective way box set pretty friend get around watch till month later everything fine got disk would begin play would skip freeze tried least different result later response happy product still watch season way better season wildly uneven cant seem understand direction taking believe season determine u save show give hate shameless oh thanks nothing boring predictable badly written going nowhere awesome series season strike fair enough little season interesting person want get know better year yearn know watch next season lift game farewell brave first set received defective follow replace promptly date replacement credit card please refer international movie data base plot read thought lack integration due writing style people extremely short willing suspend disbelief ad sake enjoying often mere able gloss like glide crew whole season mind intact allies said mommy thought mentally retarded would taken one assignment get cell mind intact ditto mind untouched allies thought mentally retarded dearly surprise lots came read watch find worth continue watch file fun personally continue watch series demanding worst possible way one main usually wait series completely finished begin watching first couple thought great show strike someone decided change whole something different week someone wrote crap paper said hey make sense week sure people love yes apparently season worst going see know series strong disappointed season finale season came along quite work though added good bell season quite work also boring unbelievable plain stupid series problem writing often full plot suddenly forget feel hollow really care whose mother father series goes nowhere second half season bit better many seem wedding biggest joke yet quest meet father one two near end little bit better best one opinion though also really matter think beginning volume end shape better come course season another series also dramatic decline quality earth final conflict remember one strong like thought suddenly season lost sometimes forgot wrote well continue watching earth stop watching starting season stand show every season yes even first quit watching show deliver initial promise got worse got even worse yet finally halfway third season give thank goodness extra hour week even hour spent watching better time well spent believe show still around sucking money failing network wish hiro power could go back time pick instead give us proper ending show may perfect television much much better example worst convoluted storytelling hard follow offer reason even try constantly good reason pass silly insipid real drama somehow bore confuse frustrate time quite anyone still even less negative say effect bad second season first half season finally picked bit season four come value time little willing watch repeatedly bad waiting improve guilty catch feel foolish suffering trip feudal japan totally random desert vision quest rest stupid storytelling thrown us hopefully learned lesson would kept cancel show left us hanging oh mighty fallen one network die slow death steadily wearing welcome good may left show third season watch potential greatness completely inept storytelling acting first season two main formula grant normal versed lore glimpse future formula may bring post apocalyptic future good dead evil present work frantically prevent formula getting second half season us government begin rounding anyone less selective version company locked violent x men matter anyone tell show x men without making baffling tell decent story fleshed much effort recast retell new audience maybe twist two completely fail end instead offering nonsensical reliant shocking basis reality show universe also attempt juggle multiple different contractual obligation give everyone every episode awkward like fully drama lack true depth character development time interesting idea comes along suddenly backtrack try pretend happen may actually feeling remorse trying change struggling need acquire grisly murder fascinating chance character tortured anti hero instead let suddenly revert back megalomaniacal villain real reason season show good one series line duty shocking sad character comes back life later biggest complaint show stuck overwhelming consensus even among first season far best know quite understand made first season work best keep everything magic keep show interesting need progress grow change sometimes die show psychological depth real motivation need complex interesting one another change grow time goes want see inferior retread ground already covered short recommend wasting hard cash set everything far greater success lost much better example compelling character drama genre excellent job telling entertaining outlandish yarn based surprise plot people might enjoy set die hard even probably better without season sour opinion show must watch season rent pray next season show either b got much worse fact kept around long gone distracted greatly eventually series unwatchable cable never saw series originally picked goodwill thrift store story line got see end big mistake seem run good somewhere along way currently airing show pretty neighbor know one need name one episode character angry channel one favorite without conclusion fair discussion one thing season got progressively worse care ended agree wish seen episode wasted money spend money went ahead spent time watch bitter end waste time money curious try find thrift store paying full price generate far better want invest hard money season insert super sigh say well season season writer strike cut momentum pace entire plot twisted season give everything end ended completely convoluted plot us trying figure time line prime time line utter horror never season end like completely nonsensical begin character nicely slowly good side sudden twist searching real dad totally disappointed come could done much writer strike short circuit creative begin cheesy switching every smart thing peter way dad everything please put back way also overly know either stolen uncanny x men comic register keep although admit even tried hold together great job season acting suppose sad say nothing admit got lost convoluted plot halfway season switched watching fringe instead least series promise really like series third disk season chapter intense part happy season great show imagination actually made devote fun exciting television season lackluster brought back thought great impact import season halfway season skipping onto prime time better written season yawn show seriously disappointing season seriously faltering show show path predict cancellation next season good someone back maybe dome better first much better hard follow story jump place flow well series lot better better series volume love people waking inner struggle find place world message generation harbinger come lost people looking redemption never false story twisting way overdone deny relevancy struggle darkness hero living great used uplifting watch character struggle main failure series volume story completely good evil calling bad guy good without redemption false story simply enjoy story frequently good bad excessively dark world needs affirmation goodness especially dark times god far series number one fall quality answer season try summarize normally would afraid posting nothing spoil season three level company going back work company order protect family get put level never muscle mimic girl season gone totally hello married w drop character explanation love married w mention virus wipe mankind future nothing plot totally nonexistent season wow talk character damn guy depth interest serum find antidote genetic mutation people instead turning weird creature think fly jeff best try turn son work well fired two head series tried erase mistake saying trying trick previous two dad eventually father basically plot first half season around dad still alive going revenge opposed ugh want waste brain go ahead watch season seen already bother worker recently admiration star trek favor original series next gen gave halfway watched handful voyager even bother enterprise felt franchise run gas despite claim fresh older told felt enterprise fell short trek devotee stuck till end halfway season man getting tough first season terrific fresh inventive action filled exciting second season least interesting season far horrendous stated previous getting switched frantic illogical dropping nowhere simply deem like bad high school cast increasingly becoming unlikeable struggle get recently season want see end watch season way oh well could worse could throwing away time got talentless feel pain good problem number get scratch hard read player exciting show finally end season especially season ruined entire experience treasure season one box set save money quality include season love disappointed find episode everywhere episode building episode cold difference paying even bought season ray format watching everybody something strange way killing weird mind accept although find good series supernatural smell smell great television show going straight thanks unbelievably awful season really little point left following brilliant course extremely disappointing season well written exciting must see television show exercise viewer patience despite hope would improve sub par season really nothing even remotely anything heroic nothing disappointment weak excruciating weak first volume season excessively convoluted drawn sans anything real substance happening also completely change flip flop dime reason suit writer despite second volume got worse premise completely ridiculous wildly left field decision betray condemn imprisonment hard pill swallow every way imaginable despite noticeable attempt improve show right ship last silly hard accept premise kept getting way exception episode set coyote desert one watchable season like total wash found disappointing season however silly laughably bad writing even complete lack direction instead took iconic likable television history bennet peter completely unlikable consistently two faced jerk majority season b tch determined work bad guy peter show anchor went morally grounded hero show selfish allegiance swapping loser honor finally revealed totally useless waste character even immune character talk action stance outside hiro season end character left really even dynamic duo story grow silly weak episode running keep hiro absolutely mind show five hundred back show time time know knew rather lot absolutely hate one included earth keep back yet serve real purpose annoy completely find interesting next volume series redemption getting silly ridiculous repetitious season faithful dropping right left hope truly meaning title really looking forward season extremely disappointed kept waiting get better never thinking took great series totally screwed sure find shipment posted arrive th anybody contact season one absolutely brilliant season two pretty good people thought quite poor however however season three absolute nose dive entirely terrible completely show suffering identity crisis cannot make want go series end season clear even creator way many many going time however damage done part speaking sure many lost interest show think bring back completely character already remember name become superfluous appeal one definitive good guy power becoming unethical annoying character whose story like watching jeff fly good bad make mind seem reinvent entirely precedence previous season absolutely atrocious unless start hearing amazing many season good somehow season count series able stay interested season one two season three however lost cause every episode completely unnecessary plot twist point lost interest record induction come easy easy banish latest atrocity official room something really ponder really today climate stagnant reality make celebrity dancing singing television show capture audience often baffling layered series story show competent cast superb effects surely super smoking hot blonde running around cheerleader outfit could amazing ask somehow fact solid golden bucket fail could great great best average whole though po faced tedious self important boring hell make show based super boring oh know making two dimensional history television aside often push best show even super think right something think word street new lost preposterous even funny lost smart funny touching scary exciting got dialogue could dream lost every single person edge damn wanting see hole people die get reborn get blown go back time go forward time effort trying care difference writing good cast good premise ton money thrown boring flat time travel premise tied show effectively made worthless hey hiro go back time kill something go back stop every single thing want happen crucial lack real could give show oh dead oh wait damn episode laughably overlong hiro medieval japan entire second season one make show unrewarding ho hum experience really yeah got reality garbage coming age smart funny brilliantly written like lost dexter burn notice air like chore hell even journeyman better whilst fully expect negative protective sin bin know truth ordered product seller never hope kick site great helping get money back third season complete mess season fairly strong manner targeted government work together escape however compelling idea abandoned scattering globe separate uninspiring consistently fail understand show enjoy seeing work together predictable hiro peter end season really idea main care fresh clever series filled interesting willingness add new help prevent getting stale unfortunately really lost thread third season stubbornly sticking cast long past expiration date particularly stubborn insistence main first two nearly unbeatable foe rest cast look weak instead new week brought new quickly really could one week working together next week peter shampoo rinse repeat keeping shifting tiresome likewise continuity abandoned favor ending episode shocking conclusion watch least first season feel certain obligation given time already series also still care bit despite around inconsistent writing series however find longer recommend series whole new something prior season season good season decent season simply horrible bad stop watching nothing sense terrible portrayal story terribly boring stupid bad make laugh one expensive one worst far need fire season package missing case wish least get money back item thank brent bought never worked kept loading hour still never worked review actually going try go getting back great show buy review ray format getting straight point defect episode surplus nowhere primarily seen anyone mention problem approximately episode subtitle annoyance screen able find confirmed sent following universal may concern ray format office season five approximately episode surplus subtitle annoyance screen far seen happen episode still need view disc four could please inform done replace disc error free product available public unable could direct person appreciate assistance issue end universal two subsequent sent returned received full refund product urge purchase item least view immediately look defect opportunity return possible error limited however response universal say would appreciate format would check quality flaw well post comment either way expect receive quality product universal given us seem care season four season five show humorous stupid many come across grossly rather believable people act demented often show painfully stupid season five office sometimes funny mainly soap opera soap opera interesting leaves dunder start paper company aside watching season five waste time set first box old looking dirty sort weird actor blurred swore bad thing weird overall disappointed purchase husband office setting employment show way funny top list work home get find funny find humor insult intelligence way people stupid imagine humanity gone far leave room show disc season totally quite really disc unwatchable show office used amazingly funny show halfway fifth season terrible comedy bland rather clever stupid acting differently used double duty another show wife watched first half season good wife produced mild chuckle last half season season maybe goes sale hope turn back clock funny ax show end season new series start one movie made sense slept middle thankfully finally came end first disk series ran fine second would run process looking receipt trying return refund sure never tried seen show say get waiting proper time life end episode show simply funny cast pathetic comedy fey trying hard funny morgan much simply hard well comes hammy rather funny understand show even got second season let alone third get rock bought second hand store utter pain sit every single episode three like torture believe wasted time show funny least hammy stupid utterly unrealistic possible way writing bad acting horrible similar loopy unrealistic ugly betty work love rock bad work like every episode struggling make show funny show flat face every time show fey morgan funny alec good kind funny almost like feel bad surrounded bad given bad season resort super hokey guest star people like martin super hammy painful watch like said bad show long search substantial history information want know surgeon history compare present day lot poof keep searching watching season course two days eagerly season set come mail alas letdown know season come close first season search answer framed friend family series quite mediocre murder meander place writing close crisp believable season sample silliness one episode four service revolver wall cop bar demonstrate trained shoot academy come think might behind wall gratuitous reckless firing weapon one major season careful give department reason relieve duty reason gift package tied yet whole idea homicide department trying get rid integral part background mystery season longer even minor theme season reese item totally completely unbelievable connection would better female predecessor season chauffeur rich guy become one big mystery many ways make sense banter wow bad depth meaning season dropping useless garbage know sugar reese good reason question sanity jumpy reese dealing current murder investigation smooth transition following lead mystery like two entirely separately together without attempt integrate one episode disjointedness current murder investigation involved mystery even appear aware issue reese would clearly interest since dad involved sinister never even totally unbelievable many depressing listing finished season yet unlike season bring watch sitting understand gratitude series resolve crew mystery last episode resolution truly satisfying may modify grade bad feeling post done wrong region could view see region fox well deserved reputation killing intelligent well show sold cable would still air would number one time slot good watched broadcast many times know heart yet still watch absolutely awe seamlessly music action screen doubt say find original broadcast last season first episode season know blown away music never another show able well life without music ordinary albeit quirky cop show original show elevated art think quite achievement also fail recognize killing show time added insult injury manner possible without original music absolutely heartbreaking oh way lost viewer life playback discovered got cannot play player life really gone show second season typical cop drama second season even angle main character gone sound terrible series difficult understand background noise comes surround coming front turning sound said story get little wacky second season also worse badge made cringe fast forward without robin show manage much allow woman age even walk past camera female look like different hair crew ex wife worst pine say anything interest sad need sandwich reese show solely ridiculous treatment female damn enough slow camera sweep back every woman walking lewis hot treating like still great added love interest partner momentum show known someone get part fit anyway flow show rest cast first series average interest however second year seem degrade writer loose direction unbelievable second season usual mediocre fare sex violence predictability dull flat without material worth reflection really worth opinion printing amount time much already know section brief pitch anything else one word comes mind dull guy flair spice show passion par acting like another boy toy pretty model nothing significant apart lead show would make better knight remember seeing kath kim ago thinking would absolutely love excitement next never like days though get around watching way fact probably one gotten half one season occasional laugh think show tremendous acting boring story molly always funny long cup tea biggest issue start blair personality title character kim time pilot episode already non stop eye rolling dramatics seriously comparable amount times office camera shrug even far annoying also curry first next top model slow whiny tone voice going good combination like said funny subtle humor ie kath saying elope holding cantaloupe show huge disappointment see third party two brand new copy however still crossing see molly successful comedy oh moronic keep trying copy people clearly point made original good first place original absolute gem comedy much humour around fact main overweight badly dressed greasy haired unattractive convinced bee replace skinny beautiful people would look home catwalk eternally injured diseased rash covered sport fat second best friend daughter left show altogether huge proportion comedy adorable tragic bad luck stricken character especially daughter kim concerned constantly second best friend convinced beautiful stylish simply comparison guessing even find way turn character decided ignore delete character instead going make successful show someone else title everyone beautiful people show see none original humour sense slim beautiful original wore awful bad make terrible ill fitting clothes exaggerated love purpose think know style hair wear clothes think fixing bad camera cheap lighting part humour point make version expensive great lighting flattering slim beautiful point original supposed look awful joke none top melodramatic acting straight almost like bad acting intentional original funny show dull vacuous underwear replacement bad fantastic obsession make look perfect beautiful completely miscast destroy whole premise comedy one three main even present third comedy missing title sequence even finished wonder series got cut several short second season comedy flawed thats funny make comedy beautiful slim shiny toothed muscle bound pert breasted model look funny beautiful people funny flawed people funny people win despite funny people take funny beautiful people trying look beautiful save face funny get yet big keep read well thought could make money name making version bigger budget better looking get yet ever good loyal ripping appalling thoughtless imitation comedy would pay money fake handbag genuine one guessing exactly keep chuck money pale people anyone remember trying make us version absolutely fabulous let without alcohol thought missing point think yeah enough said series thank god series got could damage reputation original kath kim please go watch fantastic glorious original see appalling pale imitation pile tripe really kath kim basic story full grown married daughter get away mother even get secret service torture super glue daughter molly role kath foxy something divorcee would say pardon term blair kim mid something married girl mentality year old right mentality year old premise show kim goes back heating food microwave constant barrage food mouth lollipop whatever get yet wonder calorie never fat stated goes back divorce husband since husband microwave food year old girl said hate princess grace kelly minus elegance sophistication flair call still princess hence desire file divorce goes great annoy date rest repeat rinse scenario like watching married mid year old goes go ahead waste life although watching neal would better alternative else solitaire provide better entertainment crap dim mean kath kim original kath kim funny easily anything last decade us adaptation painful several blair comedic actress horrific performance dragged especially stupid childish made badly cast b brett version brett sane one act everyone serious funny everyone outlandish funny grounding give proper perspective us version brett stupid kath kim grounding reality show performance good example grace entire cast make show balance balance badly character c end every k k end cigarette episode kim daughter getting married even make reference growing oppression smoking community smoke us version total sell show may argue well cigarette apart character make kath kim well careless additionally kath kim far selfish version us version loving stupidity make selfishness kath kim issue simply show wrongly cast well lack balance left show grounding reality easily humor painful watch k k want see go air despite show enjoy nonetheless severe lack air also k k season yet even shoot season measly enough cannot review time recommend many grace season overly compressed content king hill season refuse buy see made ten version kim actually kath enough get region free player watch original kath kim region free player believe ran across people bought watch real kath kim show good make excellent gag gift bought even buy series first season see ordered show diehard fan kath kim show funny u version cut mustard bought entire season yet watched first three find k k u region lucky find get removed fast saw really thought could one new season love molly always work really disappointed barely funny blair pilot scowling making show disgust everything around know spoiled brat character supposed funny found really annoying watch another episode two see one less new show watch buy junk waste time funny entertaining worth money time see made season garbage support cruiser video wont call movie place one minute cross panama canal next minute still side back somehow went straight shot dont mean knock video nice bit something support fellow cruiser drop happy find eager purchase video watched preview great imagery well well enough watch smile symbolically throw cell phone ocean nice people take recycle contain toxic next scene solar facing away sun wait better video idea fun shell hard watch somebody else poorly done home movie sailing guide even guide visit fact often get wrong instance island panama instead arrow pointed someplace middle lee ward waste money time dog think movie thing cant move without device crap got disc well got move friend already returned item got refund mad upset first show compelling hooked well third season deeply disappointed show think best writing surprisingly supporting cast far better teller like rap rock junior high gangster swagger part forced every sentence beef character mark junior kim tommy hurst well believable however serious character hinder viewer ability believe damning aspect show complete inability gang complete task painful watch group bumble unable settle shy away violence necessary make believable spine perhaps accustomed swift vengeful calm calculated vengeance dealt course motorcycle gang different attempt blend like group may limit carry violent public seeing ride loud wear identification intensely painful watch gang half getting even future danger befall revolving rival head spin basically sons anarchy ever successful criminal operation time long time show internal inability stick given plan path action agitation disappointment viewer like watching gang comprised gullible episode episode engage ridiculous repeatedly forgetting pose true danger future story lack credibility consistent disappointment show caught somewhere fantasy real wild fantasy bear real life cartoon series little mornings show bad terrible cant stand way shield breaking bad anything people like cant understand went watch nothing work rip wow believe rave series watching maybe better begin terrible writing bad acting boring especially scene main guy dull dishwater series full violence bad language weird get rave still good acting writing make good series sons none yeah sons anarchy far best series seen episode glad give free preview load every wondering didnt buy problem forget demand price stink look show entertaining understand teen young person could dangerous yes certain appeal hero law death dealing arms make look like norm culture know young people lost desperate way life drawn way life torn free speech social responsibility need curb vocabulary speaking social responsibility make sons anarchy hero violent taste though like probably totally terrible may whole point gun running allow town condone even want watch gang related show life become cheap u show violence totally useless ad fuel fire consider gang home grown another bad choice people control content media much violence profanity thought would enjoy series view sure show many people type prefer little less violence recently business lots time never time series employed full time decided catch recently watched complete series prison break fascinating edge seat fast paced multiple kept sometimes till based decided try lost episode first season drag lots drama dialogue predictable people might enjoy prefer prison break going give breaking bad chance see goes first show really really interesting way season stopped towards end involvement lost apathy bad would happen hear story shortly could stop watching show opposed would seem first take audience raucous ride alongside outlaw motorcycle club known sons anarchy premise promising hurt fame lead role wife initially reluctant watch saying motorcycle thing ironically favorite show took realize sucker sons anarchy nothing paint melodrama female gemma tara sub plot intended explore point never forget abandon motorcycle club nothing minor plot point left overly bloated even day time drama unbelievably soap opera wife took interest found diplomatic way contents without seeming critical resigned spending hour week profoundly selfless act greater good marriage still show test resign notably season finale screen even chance could fade shot even make sense watching even wife next episode present ways pass time find forced watch rubbish entertain counting number times gemma break sobbing given episode pick formula easy also count number times actor bizarre accent obvious charming ming quit trying pretend male audience mind choice make game ass grab bottle alcohol find take big slug screen bare butt naked chest two find record time also able use drunkenness excuse ever find seen crap acting show worth two give credit due especially given much work like fake tough moronic story dialogue could written show thought would thats say interested friendly neighborhood gang joke grader might think gang like another soap opera bunch old men emotional maturity year high school love pretty series however find idea town motorcycle club protect innocent yet deal black market quite annoying story interesting times general plot behind series far fetched thought premise series ridiculous criminal low whose appear caught walter mitty hero fantasy bad boy script male bonding emotional depth odd paradoxical integrity comes absurd given bunch middle aged caught development teens attempt taken seriously could good comic satire show dreamy cute motorcycle gangster heart gold really come could watch half hour pilot stopped stream angry feeling like show simplified version rebellion thoroughly three dimensional people stereotypical filler mediocre nobody remember kind show know good execution pan every scene see thinking went making need show everyone motorcycle pure great everything show us simple stereotypical hell expect become stereotypical character even less life like want create good story quality heavy handed flow naturally sorry show work excited received mail quickly watching disc one many times tried another player one without problem never problem hesitant buy used future reason hate disk play return sitting useless could give information receive defective merchandise bought season pack code region overall positive review show comparison every knew doubt falling love sons anarchy aswell well ended forcing complete first season actually giving one really love show actually character gemma different mostly would never see role like awesome job really unfortunately cast look good bad seem top natural absurd like every character overtrump opponent even cooler even blatant sound bite lame little character actor least credible really think actor still bad job member gang walking hilarious fit rocker style point complete show wonderful job character emma ruined ludicrously shame really think show gang family huge potential aware get lot bad negative review concerning beloved show agree always remember always matter opinion love show ended show something never actually take gang main problem end second disk wishing something like train nuclear waste crash take whole town zero sympathetic likable ham handed demonstrate good almost laughably transparent unlike big fan someone really white trash probably pass one least catch cable waste money cup tea maybe something might want watch mean found boring like group people trying hard offer show crime ended white trash version really new innovative tired desperate maybe like could imagine make mind show pure chick lit cleverly disguised vail would perceive masculinity yes show soap opera watched admit choose make mistake would advise keep sanity fast forward every time gemma fair show average guy friendly kick ass action per episode looking show watch wife probably beat real house wherever town best luck resolution club stumble one problem next without previous situation every solution new could see liking dirt bag real common denominator worship reality show poor mediocre acting worst idiot bully mentality heart cycle gang hung highest tree pure hard like would would want friend neighbor hardly think like criminal show watch well written well series like breaking bad much talking irrelevant kind show see point episode watched watch sorry cup tea drug business like kill burn people brad character eye candy enough carry whole series quite bit lot good quality extremely disappointed dark evil degenerate nothing really wrong crime want violence blackmail extortion murder good someone something way wrapped highly tenuous warped form family sick stuff angry people well legitimize antisocial pathological deviant behavior disturbing young especially wounded hearts seriously broken people marginal grip good bad right wrong access garbage kept looking hint redemption luck seem find value series raw vial entertainment would like see gone watched first episode enough watching interested gave someone present another state instead double disc person take back store change entire season somebody check contents would definitely think twice person bought see like watched curiosity neighborhood one criminal sons anarchy motorcycle gang somewhere show little town charming lots violence arson nasty pitiful strife imagine getting hooked merely checked box watching least one full episode empathize kind mayhem even though tugging family kind family succession prospect mean thug thug sup sup love good like everyone else days last week someone really said jersey shore dumb show watch good like sons anarchy hopped account show oh lord even considered series virtually plot bunch hurting people violence answer people acting also bad peggy married needs take acting career suck acting action boring show take advice avoid show stick good television series like jersey shore teen want good peace prude love idea season actually watchable interesting season one allow forget horrible acting whole character helping take male female back worked hard dug gutter dreamy whatever anyway show way worse season one season two ridiculous believable watcher demanding even shred realistic think get worse season looking back know got far think went little k twelve year old could write script poor casting care show many good guess know sure continue watching show think worthy like motorcycle premise casting main character wrong mediocre writing base cop gang relationship cast bad ass almost believer love show tried watch season one seen centered screen error several watch pilot episode gave guess buy disc video stop go every way making impossible quality well watching video waste money could great show get bunch small town get bad bad within real strict another fantasy rich undermine premise even create real bad form white gang hanging around everything good show also heavy family stuff taken right teller whose father apparently formed gang utopian experiment would never club running make money half every episode pouting something comes across total wuss presence play leader gang whatever presence constantly fact every idea fail backfire show best taking care business club showing small town like charming works worst whenever whiny bitch like good everything grey show someone like clay idealism usually trouble sons anarchy always right even risk always one good show law enforcement far realism show really like really like show tame much fantasy unhappy sound volume low able watch volume fine got think stupid fun watch ride glorification profanity violence nudity manner un style thought living import brit take acting job work could finished watching pilot feel like wasted valuable hour boring crap also thing watched several nothing new wont watching type much long loading feature could watch video constant freezing sorry get past first fifteen enjoy told watch would anyone enjoy beyond depressing found movie old fashioned little trite absorbing would waste time series know people absolutely love show get maybe better later us maybe getting old spiritual conflict like show well done violent white getting even world might like series strong anti bias e racist may vary acting production pretty good plot implausible unlikable acting terrible tried watch show breaking bad think viewer supposed actually want go jail long time take gemma doctor every episode something wrong police suspect involved going get caught police something stupid something clever end get away whatever heinous criminal act next episode next next oh often shoot another group every time one away unscathed someone group wow police incompetent corrupt sometimes like watching comedy made halfway first season really whether continue show actually get better rave give done well shot well directed type show supposed like show mother trying keep son getting better life agree one reviewer never get type care guy people murder year old girl caught want get caught want like really awful great undeclared great awful writing absurd balance subtlety every character good bad one dimensional complete mess daytime soap disguised show outlaw wire set bar show south inexcusably awful chose rating feel like lied season one three season one disc received timely manner great condition sent ad sons anarchy season one get season one could get pass show waste time person wearing gang cool show would better done period piece sometime wild west outlaw behavior easier enjoy something past something see everyday sure cult following seen swag choice assume think cool wasting money showing follow show value emulate see find real fast big difference fact fiction smoking drinking indiscriminate sex formula short life even need bring gun running murder mayhem show impact life expectancy watch show escape life show disc could watch constant freezing watch complete waste money intriguing show hard buy story soap opera like good year old people first review series movie normally pass opportunity cast vote instance reading much stellar feedback regarding sons felt counter mass delusional hysteria one dimensional stereotypical uninteresting bit wit grit writing unimaginative trite predictable moment forgot camera action lieu getting lost unique world dynamic absorbing way acting case wooden never flat uninspired dialogue along thing good perhaps trouble sleeping work better sleep aid market biggest regret rating could give realistic loaded profanity well course ers everyone ride member outlaw gang even old wear color nylon riding bought set used came great condition two star review due product condition quality due quality series really show gotten high people really mindlessly occasionally make movie series certain vein usually specific niche like every chance suck surprisingly actually pull suck one fell odds hard take seriously show entertaining outlaw violence end coming joke bit boring comparison dramatic end interesting show plot trite typical good evil deal main character handsome clean young guy comparison internal struggle morally right wrong first episode old true father original founder club conflict right thing follow step father head main name like bad name every episode weak attempt deep sitting reading dad generally contradict direction clay step father steering oh new father baby ex old lady real name plot around going around like dealing arms fighting white drinking passing around yet someone old lady dueling along way second guessing call step father club leader ever one get wrong get little new baby doctor love interest inch seem character development set first episode throughout season see new development coming mile away fake worn boring one bright peg bundy cold mother really great job seeing think better actress play part one character almost believable overall series comes exactly bunch leather nothing gritty ever series grit really think could cool show done differently said tell differently without actually following real around day day point finishing season think check second season comes however found henry skin head next season maybe torture little sons anarchy highly structured organization president vice president secretary sergeant arms hierarchical new menial higher member hold regular decide business vote sons anarchy live opposite anarchist might enjoy sons poverty series top us struggle get wrong would give gave one ordered prime purpose watching kindle worked great stopped working error prime guess order finish watching would give zero possible based first episode mean show grown needs show purely guilty pleasure acting pretty weak story line entirely implausible flagrant display way top despite show fun watch couple several breaking bad sort set standard series like time kill enjoy show know lots people addicted sons anarchy really looking forward getting ugh wrong soap opera except instead port pleasant valley nowhere bunch smoking smoking hot mind smoking first episode giving birth prematurely vengeful ex mother law poison protagonist torn violent mother stepfather good righteousness deceased father reading dead father journal former shady past somehow become doctor even though assortment black rival dead illegal alien hookers explosion ammo storage shed bunch corrupt oh almost forgot mention stuff bother show get life back sons anarchy nothing one life live world turns soap opera fan pretend wrapping voyeurism smoke violence show otherwise waste time money loaded new kindle fire looking forward seeing everyone talking watched plane really wished anything else watch horribly graphic ugly gruesome want love garbage thought lousy convince man enough leader outlaw gang watched pilot first episode maybe better enough plot protagonist go gas station beat guy cut driving guy gun gas station employee split head ax afterward show next scene nothing incident totally unrelated story line plus protagonist cute hate tough guy walk silly show could work mindless entertainment soap opera like anyone needs didnt care sister glued watch dont care put people leather jacket even cant make cool always awesome though save giving one star seriously read good stupid show thought check gotten barely four believe people even dare compare many story many way spoiler alert fire dude covering dead maybe pay enough likely girl like association previous life old long time go school become pediatric surgeon college plus hell open heart surgery hospital little town dude gas station fight guy gas station nobody looking dude witness huge people getting shot car nothing seriously probably million missing rate compare show joke well written thought hand good show writing story bit repetitive outcome obvious far graphic scene burn tattoo back blow torch immediately put end potential wooden hackneyed predictable cute watched one episode fast plenty fashion sense mediocre husband like hired show team obnoxious one fake blonde needs get cut constantly moving eye annoying cut hello must shot least ago give idea expect visit area good like somebody home travel type seen gave star register may good people love bad always like trust wonder movie go mean good way guy talk talk well get point think boring class high school ever far made get jest film better sell movie sleep aid ghost story really feel need see movie first rent two take whatever watching stinker got one worst paranormal seen far even bring watch whole video made sick lead investigator way self centered seemingly self interest quite frankly ghost hall would fled far fast place could mention member team would done kind crap serious investigation bad name certainly even worth money spent rent wish text space write everything want say bogus documentary first run paranormal group super skeptic looking shoot film let point want share acting terrible believable first get pretty bad shadow figure hall scene movie lead investigator room turns face camera door mysteriously team frantically get door open wrong right door female investigator towards door open penetrate pointing easily position shove door shut foot b door inwards fixed yet return room several later door outwards mind place abandoned c investigator comes room stumbling poor acting face hide face trapped room enough time apply make incredible bite mark cheek forehead sudden visible meeting room also want point walking around meeting room attack ranting acting ticked film crew people cracking pretty odd serious moment towards end film para psychologist first thing para psychologist go college study psychology branch paranormal thing para psychologist enough crap already like para psychologist poor actor trying cry pain proceeds wander turn back ultimately find camera carry hall showing face point poor acting become evident facial scene conduct seance sit around table spirit manipulate glass hard toe spot fakery clearly see people glass body language see leaning glass make move note look cast crew horror horror movie based extremely clear less ghost looking make blair style movie getting run name give misleading film also since entertainment clause site truly scam profiting merchandise plan attention many people disappointed route people taken want make horror type film make one dare try dupe people advertising crap documentary want cheap thrill decent price want real life documentary want watch want share space bet thing completely fake content get feeling life death pay summer trip let ask anyone reading group people walking around building person seen walking hurriedly doorway ten away cannot think would excitement within group reaction nothing else think one would something possibly group ghost would bolt hallway check none instead hear guy hear much giving calm f smirk face feeling embarrassed front group people dong phony documentary top second ghost dressed fashion day wearing hair like manner age rest group agree comment demeanor obnoxiously loud disrespectful impression know say ghost across face let alone stood room seem least bit qualified mind see getting well countless thing staged worth movie equally worth crap please please one stupid fake hell added one point guy goes room wow bite face everything rent good rent paranormal research aer good first video quality really poor could done better cell phone second show lead shouting anyone make sound sum total action two major end film rest talk enjoy ghost ilk cheesy fun reach level title video one pseudo become popular least frequently channel united take much typical genre see various sleight hand used create ghost follow read plan buy rent example one scene lead actor room door shut behind later film crew face impossible see anything might next scene light face covered obviously shoot scene cut apply phony restart video also obligatory ever present quite tiresome shaking table equally common frightened medium contact pretty much used series ghost sole saving grace lead actor passable job requisite surprise fear fan ghost hunt television tend believe may enjoy horror fan looking realism documentary skip extra cheese hold macaroni got although annoying choose wrong winner nice starter area several times winery business looking little light substance needing area good job warm weather season lecturer intelligent design man made environment damage would known material viewer could understand outset put forth would leaning evidence bent simply matter tried find information lecturer background unable find got doctorate material may group connection trinity university getting back less third movie every single scene dragged beyond tolerance reason fast forwarding even fast forwarding unbearably long dragged god sake stab already sure fit beyond may possibly worst piece crap ever subjected seen crap ending hell left completely bewildered wondering exactly hell abomination plot girl group gym girl gym rat brother cue end amusing though good director writer producer certainly ever downward speed demon leeches brotherhood actually bit acting sometimes one pretty mouth speak real come putrid thing voice background music know still capable behind film included special authentic spoken people real time must spent time money rather feature another irritating issue thing time two people appear together time screen b get treat seeing two people screen though perhaps blessing lot less interest action endless endless little interest begin typical murder scene one log find tied overhead beam brother standing rubbing knife bound near naked body even inkling mild consternation boy z show make squirming get nothing except five padding brother eternally knife us chance wonder brother found necessary gag well voice gag fully understand small though even pool buy real rose instead artificial one abomination three times order also received micro film witch brew shot light ahead beastly every conceivable way unfortunately way give film less one star though hopefully review bring rating closer bottom certainly need see film try one better yet watch witch brew goofy silly flawed fun give one three half p someone find film one gym rat shave feel need smear movie producer clearly made living adult entertainment business move zero plot development acting amazingly sub par really one none actor speaking waste time money word terrible worth paying watch even waste time one sentence movie summation bunch college white buff fraternity underwear commercial ever slowly one time guy knife fetish suspense horror gore little fake blood acting even one sentence art people say deluding attempt justify watching movie scantily clad running around satisfy someone desire see male eye candy though really problem call art talented director could done much better summation call film make one completely agree previous reviewer wonderful love badly produced priced outrageously may know getting warner archive product r exception maybe trailer even pick go forwards backwards minute top unrestored version best version seen turner classic getting less recently warner selling store considerably less price taken least following put exclusive price magic male unsuspected sing verdict look silver original idea warner sell warner film library would probably break even general retail release demand via believe strawberry blonde sell general release believe nothing far warner home video fallen since jazz singer three disc deluxe edition three disc deluxe edition commentary shorts even original lobby times may hard classic industry never hard bought number warner archive live option post outside even many head stated archive running would ship early archive running still ship bought good warner example gold seven money trap anamorphic black white look stunning picture kind however strawberry blonde soft throughout hiss intermittent intensity worse screened channel many age look perfect something wrong original popular title included previously box case short note archive warning prospective reduced price agree completely refugee warner archive grossly price listed warner however pain know use badly designed forever scroll screen besides waste time shopping basket load four time warner scrap item selling warner archive farm someone market efficiently lot personally find attractive archive collection pay either shot get especially since seem even warner know recession going future selling classic home video care going wait list price least third unless change ordered ever see point fighting teen behind back middle aged instructor garbage least instructor apply real none stuff works ever see point fighter work trying criminal get movie beautiful tell lot love went coloring design however character part awful basic much look story could drag certain example mother chicken ground shaking fear accused stealing scene long cop picked taken jail instead several pass ground saying awful also movie old fashioned looking talking town acting like sing weird rap style song fit place rest film feel flavor movie also get little creepy end almost becomes g rated horror film fully explain strange swamp scene assume swamp scene one appropriate wise know talking romance two awful lady bunny wore much blue eye shadow suppose eye shadow love watch really bad strange movie still might much appreciate often love everyone else however case vote majority disturb completely unfunny uninteresting extremely predictable old used funny give show star power may actually make last long much say show worth actual plot clear update well show guess show still know really could possibly worst thing ever seen sat view least twice watch unless care dropping minute comedy almost funny cholera funny time would spent better elsewhere anything writing movie poor acting terrible rated one worst produced bad production quality boring boring nothing say good skip even worth rainy day remember watching came remember didnt record offshoot think got hard believe made many script story line special effects awful tried best watch fan fan good acting show item kept library purchase item burn keep bought able maybe wrong love show game boring level constantly thing old fast never finished whole entire reason show people cougar den skit told partial video recent become comedy gotten habit falling back old used help episode alec episode decent bad coarse poorly executed real problem airing one sketch see leave pay money partial episode show left key scene sold care sketch show case sell separately sell show struggling reach old thinking leave whole product plain stealing also question got whole first season another chopped season sell whole product anyone wondering missing besides music vincent price valentine party carol funny episode mother day one ever version several best mother lover main reason bought first place waste money free hulu also slow start easily fast forward reverse second delay time overall new service would spent money time effort took get video known musical guest would included thanks episode see showcase skit ode slowly episode find partially fault since another review someone problem want money back would pick selected call episode even tell episode buy also problem poor quality mac site hulu site displayed video quite well full screen size far far quality site consider purchase unacceptable feel bit transaction make mistake ever careful click links cost time hope never anyone else disappointed include sketch even episode beware missing content reason bought episode rudd ode version really take skit way much musical guest worth money warning musical full episode bought episode specifically skit part could really use description either included missing purchase bought episode cut eight bought season episode watch perform one first times us must copyright protection going otherwise episode commercial free well read guess either another reviewer said feel also feel like money back know get lot people unknowingly hey pretty good profit generator disappointed one star sorry description thought maybe would limited musical guest case music gone least one sketch one digital short missing way really great episode disappointed cut josh episode complete bought included please advertise buy entire episode entire episode whole reason skit one best ever weekend update half episode also experienced delay video drag another reviewer kindle fire least wasted mad skit ode rudd even customer service right give create review would given time terrible unfunny show air year check disappointed even first season rated nothing bunch talentless hit big anti funny watch saw excellent family guy show quickly lose good mood hit rented movie show elementary school thinking would fun way introduce soon first female character show really cartoon character need maybe someone convince story watch class would like see another version quality video think quality animation well drawing horrible waste money rent stopped watching ten poor quality audio picture would like back total failure independent season worst mystery thriller show ever seen poor schematic reason constantly expose bravado strange behavior director cannot show air open primitive usually quite vague relation navy instead periodically appear depressed management lady old exhausted coming blue sure would product since collect month waiting order e mail saying would credit card order nothing shipped nothing received vendor never carried promise ordered sept e mailed shipped sept told never mind give back money explanation nothing waiting patiently month receive shipment afternoon went local hastings bought done first place excited receive season tried first disc could rewind watch scene disc play combined overall bad experience set second disc play although quick replace replacement disc fault first must say however good full purchase price sure would unfortunately never received explanation shipment received notice received shipped order would received claim received credit pleasant experience still want go elsewhere th disc really bad seller times never recommend company even though said item new box already already obviously used first disk kept skipping entire episode play unhappy product disk season six play defective tried two separate realize could return get refund days th disappointed especially since season finale bought every season far already return due defective hope gotten around watching defective bought nine watched first three worst part understand speech watched jag first maybe would better really comparison jag real way fake navy wife thirty three kind know gave away worst movie ever tired watch way bad concept creepy last second much action honestly whole lot scary mean jumpy looking really movie would recommend overall give idea cool part beginning rest movie kind waiting end usually enjoy survivor outcome one way much instead one tribe disintegrate terribly would nice see change foundation game basically screw people deserved move forward smart one ended real likable player goofy dumb annoying really wish would spent money say hate hate hate love series unfortunately box regionally cannot play machine twelfth year regionally case series film b documentary cover band piece crap entire project description film concert footage rolling thunder film really save money stupid enough buy demand refund thought movie coming instead recording club quality good sure great historical value however thought thinking movie link call customer support money going fix listing unaware product listed wrong description misrepresentation product movie band entire time band punk music whole time camera used like home video waste time money movie get movie listed product none listed movie movie bunch never seem screaming time rather nasty behavior know would never rented movie looking movie geneva raven wife sit watch boston legal clever wit story humor political show much bought sadly steadily uncomfortable left wing political forced season humor partisan right gun swinging religious mental impairment left intelligent thoughtful human nothing worst episode eve presidential election admitted voting whole episode nothing outrageous play swing firmly left show supposed light hearted entertainment actually nothing party political broadcast behalf democratic party actually less party political broadcast behalf democratic party disguised entertainment subliminal parley get vote without even realizing series would watched another episode give show one star big fan series watched exclusively simply great season liberal politics season finished watching much different previous first chemistry lost still choppy nowhere near eloquent season completely dominated strong liberal agenda even vote republican tried say thanksgiving prayer dinner never since turned debate client tried cut judge ruling attempt influence judge rule client since meld lawyer supposed hired gun client agenda though moral also grounds get also tried sue television since little watch may true want addition must buy drive thing fan show season television must get simply fan liberal believe love season conservative likely get offended often get enjoyment final season pushing liberal politics even show person fired vote talk first three wish never watched final season otherwise first rate show almost every episode cringe final two hour episode really excuse bash china ended season even better season left us wanting nice intellectually drama fell table season media question never crane even unlikely inconsistent plot twist imaginable definitely one people clinging give us obvious case female infanticide via abortion episode ending room believe done professionally responsible best though glib child goes abort daughter clone little brat granddaughter vote people disagree like ran last season series ended four great knew would take week get could went anywhere else get buy want year watch first two show push every left wing agenda could think want liberal political commentary watch keep formerly good comedy drama season preachy tired worn enjoy crane alan shore relationship writing take dynamic season palmer help either character best really small seeing jerry time bit annoying well like refund maybe alan shore take case product interesting episode good drama entertaining product well priced last one political real love took forever arrive arrive sealed well minimal water damage front back cover fine misunderstand love boston legal think witty charming target tackle never get watch final season see unlike previous close one deafness family unable enjoy one family please make priority pass work tried twice sat try finding help good luck excellent episode boston legal guess wait comes purchase another dumb show stupid like lame never seen people dumb legal practice boston legal went really funny really annoying course five liberal point view listen network news beginning boston legal mostly funny occasional wisdom final season mostly blatant take social extremely rare humor entertainment thrown like finding occasional kernel corn stuff feed lot five even usual excellent comedic performance save ponderous preachy bore gift love think season good buy like show episode supposed video end abruptly especially solution mystery fixed terrific episode scrappy worth watching rented movie based review totally different one real life spoiler alert fact comes world hack em slash em movie past special effects weak acting horrible b movie talent guess worth cheap rental stick original instead wife inspector morse series watched date ran free season rented next episode unfortunately episode closed require despite thaw actor find convincing character close ever later take really left thaw morse much best part show university incredibly complex really produce compelling detective story viewer reader really needs chance able solve riddle character lewis equally poor boredom never far mind rada accent boyhood brogue often quite badly embarrassing skip one plot tortured twisted attempt make interesting avid inspector morse fan always series retired built affection inspector lewis watched series several times episode though nothing else wish thoughtfully engaged imagine thaw script church false light morse ever refund waste time enjoy suffering please watch series later series complete opposite good series much appreciate culture scenery personality writing entire series lead character development direction absent thaw plane throughout entire series morose dismissive arrogant egocentric sarcastic occasional feigned emotion plight crime minimal awareness responsibility personal role system easier blame everyone else maybe milieu times difficult watch perhaps acting personality actor see show watching masterpiece constable morse inspector morse quality difference see many love show say power seen may want check watching favorite masterpiece hi name love guy love dad dad conservative son daughter family read show dialogue snappy u better watch show w attitude alien sure make season good question burn play comedy show go half hour making fun dad great take road traveled revolve around episode different really funny almost said see need bash interrupted show quit watching family guy really like watch fox king hill oh well stop watching dad stop watching fox altogether bad thing almost fox garbage anyways like season unrealistic always seem taken care someone else go brand new infant stay might tell even talk watched safety sake anyone effort track like would know show different first three show much better fourth last season evident network trying reshape show order save always suspend reality plausibility many norm final season seen last season first would never gone back watch previous three said watched first three order watch last season measure disappointment would like original otherwise good show alas agree vast majority saying reducing world secret moronic quartet horrible wonder stayed tried true first three may invite fourth oh well least state farm v realistic action season extra marital innuendo would finished goes boring distraction stop watching series unit lot reality suspension addition woman unit possible suspension back story getting even soap unit one two showcase best network television ever seen realistic personal drama action network content found show incredibly compelling fell love show would strongly recommend anyone review far stay far away season possible show completely make disgusted tired reduced season know season rushed writing staff completely mack molly become every character every show roll change channel stop season remember show fondly budget perhaps loss military political correctness set unit somewhere season three subtle attack first hard spot increasing taken action bless patriotic given screen time think budget lot personal angst prone acting even occasion ended apparent purpose real action limited smoking dope thinking really really good finally think wood valley real hassle drive studio pedro far would go last episode dirty bomb would go kill em deserved better fade time go another season would old gin rummy apparently could afford budget left first two good second two worth paying perhaps even worth watching sorry dirt diver budget cut deal whipped ass entire family absolutely series chose cancel entire collection enjoy watching one favorite wish season exist honest wish second half season exist either knew trouble theme song little continuity throughout season constantly character thought x insane swear writing different writer every episode picture stay home writing one week mechanic hobby taking another episode less would nice well action adventure sheepskin mission must brought comic book fourth season several worst getting involved cloak dagger stuff full getting orbit first couple unit pretty good certainly rough reasonably good job intertwining action soap opera action throughout entire series good toward end season plotting show went completely whole cast apartment complex base assigned infiltrate suspected terror town sprinkler system said also vice president united list jump shark grew grew grew still like said action best unit show never really made mind action military show drama house kind show appeal either reason drama big part show special unit imagine people tune kind show action instead half show school domesticity issue would military action show th season even ridiculous military sudden becoming top secret undercover really thought government would people trained th season rushed far worst season wonder series first went whole thing much like soap opera copied correctly disk watchable regardless platform computer game station able watch one episode wait second generation made give least one star post zero good show watchable increasingly ex nowhere found become even scheming season slapstick random running giant machine sewage manor house bride groom wedding end causing chase around church funny resolve plot lightning strike overboard though gave point price rent month worth series great course way convey literary charm original well worth watching price rent month worth believe ridiculously high fee watch full film rating actual film promising going shell something watch boring watch pure punishment try show would never load several selection play rainy day really watch heading summer try another day mind endless brit accent give whirl like well walter famine simply crop failure failure plant fact control land north significantly surpassing queen imagine desolate native tribe giving queen whose fleet subdued think awhile know cutting great sport good cutting horse true athlete smart come title like movie expect really see good horsemanship unfortunately much b rated movie would happy good cutting lived title little actual cutting little cutting whole big disappointment must see rent buy watching twice admit right bat b movie fan comes action especially like b action movie series delta force trilogy missing action trilogy always get kept box set coming quickly ordered item without knowing nature set came extremely disappointed first box set special expect mean come franchise star know people wondering also full screen nature rarely get treatment disappointed well disappointed five cheap poorly made fold case film would come keep case even slim starting use box case lot like case alien quadrilogy poorly made case poorly made hold keep breaking shipping come mean time get hard shipped returned twice overall effort went box set gate entertainment want make cheap possible figured saving money box set case buy film come double feature comes total around worth extra get film case instead cheap cardboard box set say skip box set buy grew watching satellite step step one like many different going kind gave movie chance reputation st movie plus certain felt guy martial ability remember one episode said show vending machine much way one talent would boy wrong guy movie much ability guy slow plus awkward quality great reach fighter good fighter would mop floor average could beat movie laughable bad first gave one second movie well written third measure sequel would bit better made cousin one best movie though made scrapped one revenge fourth chow place movie way written role limited also accomplish regimen real fighter fifth top student made better title character sixth foreign missing without cast said part really good already major acting experience prior seventh fight worse martial movie ever ever eighth tong po really good part first movie could forget line bleed like good like acting awfully done ninth way tong po could take damage young van damme little effort really without rocky able rocky already mountainous drago tenth movie reputation good work director bad job badly wasted movie bad probably find recommend unless like super wasting time stay away condemned made would give negative figure could movie redeemable movie could bad could believe believe waste time money fan first regret making decision would get movie collection remember better movie child serious collector martial buy set read know awful material work amateur job film complete waste time worth keeping slater absolute worst possible supporting cast even worse spend money else series cheap found exciting logging computer purchase unless like giving money away saw worst enemy excited like original show mean one guy two know show high overall deliver like hoped would found getting distracted watching start saying buy watch every episode broadcast although show great buy greatly disappointed find many series go ending one left completely unanswered read disappointing remember series whole went ahead already often times network series first season label brilliant series true show like fox series four first season without time find audience fan often times complain stupid network promising new series without giving chance find audience think case worst enemy promising enough pilot series went downhill got hard follow series watching series agreed decision cancel worst enemy handful first season brilliant making well last time order obscure series seeing star show dud like boring good documentary institutionalization guess touched real hard decipher pretty familiar history found really disappointed movie really short gave almost history watching someone knowledge prepare pause every explain personal told second hand thought would place believe documentary got good familiar school saga give plain awful ended fast forwarding end agony watching save rent good found movie boring uninteresting would skip one sure thank need fourteen block still bad really never emotional reaction yes interesting institution boring kept falling asleep throughout show three personal guilt focus learning watch people scoop wedding buffet receive animal wedding present roll around mud two life never get back especially disgusting birth control lesson given mother law wonder adopt bag make moving canada video author talking cover talk better show training session let customer know set consistent training might great training video know watching trailer skip nothing new see much better travel food content think good huge fan quality video plain dumb honestly believe sold absolutely reason day age non music watched far truly half excitement fun show listening fun audition music realize may expensive really music original even real background nothing really audition seem really weird awkward like dancing silence strange fast forwarding skipping point watching disappointed love show totally standard release original music first let say show fine would rated often know understand preparation must undergo order entertain us show back proverbial curtain us process interesting see involved enable world class able put even short show low rating show easily difficult watch decided able watch device platform choosing order watch tell need use os use player say inconvenient understate matter truly something able view want want viewer want never purchase video might able view purchase mac view video even obscene show brainless offer value bunch air head fighting spot famously declared famous squad world theoretically really cool way enjoy graphic novel retaining original illustration like walking book well beautiful music background tell version heavily lazy reader way much potential direct page screen endeavor completely ruined taking random page motion comic much clear silk like business woman poorly movie hire single female voice actor large fan franchise like new movie came love book motion comic enjoy people correct one person however none anything like thought although detrimental painful listen especially dialogue voice plus lack good voice acting key emotion end day failure animation lovely book strung together material current franchise feel one short purist since essentially man reading book thus recommend spending money instead copy book reading however would like sit back someone read whole comic purpose say animation really definition imagine someone cutting graphic novel taking glue sticks moving around cheap background know getting buy product really fan want able listen story see still screen might like still might like going pretty sit thing enjoy going fan second time disappointed first time tales black freighter instead making special feature motion picture see review would like love graphic novel motion picture enjoy story really appreciate series waste time praising comic book know monumental work literature read web page probably passionately told ought well worth time know motion comic least enjoyable way experience story world animation crude painstakingly slow even though missing comic watching far longer simply reading comic reading far enjoyable animation amateurish waiting play boring empathize actor hired narrate matching voice performance animation convincing way possible imagine enthusiasm may going project would inevitably extinguished probably work would greatly different actor character even collection voice would better spark passion left animated motion comic way experience story naturally would recommendable already far better ways experience series reason exist effort one voice actor accent animation nice digital copy wording know till open disappointing given warner ray use digital copy mac compatible friend said saw version later revealed saw one basically love alan version good seen particular version san comic con panel saying disc ray player great expectation first amazed excited word word script preservation title everything exactly hoped good buy even um sound like drag queen sound like drag queen listen conversation mother dan absolutely ruined entire experience first thought weird joke maybe alternate sound horror entire disc voiced one man credit good job male although completely uninspired every female part like drag queen transvestite best mean spring money woman voice cannot imagine thought good idea quality every graphic interpretation obvious sound knew know would never poor quality recording save money read use mental thrown away like piece trash prior knowledge thought would fun watch motion comic concept cool way part speak apparently one narrator multiple would make much better truly terrible mystery plot lot air time used reaction laughing fine annoying lighthouse keeper episode ghost run away explanation toddler son never said monster together fan several days debating whether buy season overwhelming desire consume took went bought target store reasonable price average three set savor episode thought taking time would instead stopped watching season last summer longer worth episode spencer yes know two deliver especially spencer relationship bobby little entertaining perhaps sincere season decided move beach home episode thought human side every episode devote back fact graduated since beach season wrapped simple buy season worth time sure waste money buy used love show back first since many figured buy season jump back huge mistake past mercy time mean honestly series horrible one annoying people v mean would hard find hot head series get real way hotter much photogenic one beach get series well honestly shallow idiot going university instead reality use term loosely series tabloid apparent reason think inane series spawning two annoying people galaxy total zero spencer hideous plastic idea exist fourth season shallow staged last three honestly love show really need look mirror unless course watch feel superior writing master thesis exist without brain series proof huge fan tell season really worst short nothing really except fake crap went real drama best work stress season drama beating dead dog even death spencer drama still doesnt want talk still talk spencer still fighting sister coming live eventually family create drama season b c left tell see vie nana attention spencer yet still begging spencer joke sister holly also controversy wont leave apartment dont ask someone move dont want stay b c actually holly smooth move holly actually living aka pretend drama two worth watching set focus rumor slept bobby really go really friend constantly hanging wasnt enough indication unfortunate show become still really love season drama pointless season juicy fun point sad skip season buy fantastic instead funny first time saw living color nice try see title versatile comedian show little top utter stupidity laugh yes feel stupid yes guess mission accomplished national geographic reputable brand wasting money documentary real science episode also much none sense anyone done study interest science flying visiting earth impossible even speed light nearest star earth take far long life form travel earth anything even interesting earth care radio earth even traveled far enough space even top one piece tangible evidence extraterrestrial third kind every story abduction never photograph never video clip never evidence ever nothing modern myth ancient times people saw today see dementia mean life else cosmos exist let clear another point surely pointing visit earth nobody even one little rocky planet average star quiet one average galaxy sand planet earth fact refer drake equation better understand really need know considering notion content brand national geographic wasting money childish disregard scientific surrounding topic shallow foolery rip episode deadly impact tell review mixed series diverse nothing one another also tell episode originally tell able find information without actually watching bitter end see copyright date listing incorrect original air date misleading best macabre worst star episode think still alive since supposed documentary supposedly first wrong episode super story persistence hard work rather documentary deadly impact maybe back ancient times actually originally would accepted science documentary science sparse thin ancient mean anyone needs convinced hit earth devastating impact get away supposed documentary younger really care someone relevant date produced repeat saw past average lay person made aware content documentary wow extremely looking recent exercise extreme frustration video jungle completely totally unreliable series allow see individual episode enough granularity instance one able rate scientific content accuracy average level language used say th grade best old outdated number video poor old format new content year dont series also first season great second season unwatchable clearly unreal unfunny even always fabulous save really feeling fact play left couple main season really disappointing thought original actor ex husband much better convincing arrogant ass season story line season several character story trouble way go several care enough first season borderline terrible second season joke unwatchable wonder quality like say yes inane like oh right money loving first season second season key completely cricket second season seem budget definitely many preferred return new like different show instead continuation season bad season good even finish season wife soap opera predictable predictable dialogue opinion many character season one main character sense uniqueness adventure becomes concerned bout silliness sad keep smart funny dialogue first season first season suddenly super much worse first season amazing supporting first season two left wife alcoholic best friend great support supporting like budget something two carry whole show saved money making saved time skipping end looking forward first season disappointed cast change whole look feel project lost interest second episode little bit first season stopped watching second season particularly like several season one new thought bad idea otherwise quality acting comparison season one season definitely season new cast beyond funny simply good season two horrible season one like every character low budget season master piece entertaining enough could see decided make season however switched one main really weird also switched well story terrible seem believe either fast episode season series absolutely excellent great writing truly wonderful acting interesting set season unmitigated disaster really first season really meant season think well turn show could see pan end last season almost felt like main character way enlightenment start season two see still hot mess husband continue walk annoying really fast thus making stop character took watch list episode frank c fan enjoy opening monologue although rushed later funny worth watching headline waste time actually understand st searching actual travel cruise accidentally hit purchase instant video thought real instant video went select watch list option even realize saw credit card reading help instant video seeing way cancel figured might well get worth watch end literally per minute first foremost ship people video date old old first cruise way older celebrity profile either celebrity cruise month nothing like video already st thinking video would show something else might want see next cruise nothing appealing something might want see waste ashamed charging video especially much buy travel get real video island showing ancient cruise ever make mistake accidentally one completely dissatisfied purchase see present wife season show even close first two well actually best show television mid point season three slowly surely eroded quality many shark count among death lucy knight crazed patient well getting crushed helicopter ambulance bay ridiculous development came several character lost arm tail rotor helicopter hospital roof never helicopter really two long line silliness suppose anyone anything beyond season hesitate buy precious little quality found least one good story arc brief carter needing kidney transplant course treatment mentor peter together remind one far show fallen since original cast also brief carol ross play fairly well bright far er went eight ten long eventually went whimper rather bang link wrong links move movie rat pack ray seen bad worst attempt film making ever music cinematography literally everything terrible one highlight end wonderful agony stopped true garbage waste time money finish watching geared interested athletic available san cup tea waste time horrible ridiculous piece crap even know live really material based geography great rory episode buy shown either system live outside might well live moon come look international well could get product play computer ended live great episode great weak plot cinematography could watch may like waiting movie capture worst waste money ever short talk self hypnosis ask rather silly audience anyone past interested law attraction favor buy secret anything dyer sure hope law attraction works attract money back original series better point running fresh rendering season boring well love much lot time watching show back season one next generation know anyone else invest time show want see whole thing first seven point season jane part one two goes upset entire prime going put whole series old school getting old new stuff even worse drama long go movie end see woman today society even one overseas would put stuff inmate title character moment watching knew would disappointed criminal good behavior havoc title character way life would blown away first night brother never got pain suffering love bad girl maybe see someone would put bad guy many suitable nice love like want sorely disappointed movie story acting poor non existent would advise one go elsewhere watch movie endearing one cup tea like may much sex story line say least really really hate bad movie save time money piece celluloid garbage used torture could inhumane treatment bypass turkey kind old show becomes extremely predictable horribly chauvinistic disrespectful towards stomach turning yeah watched way end thats whole chunk life never get back guess give one star hate even though zero believe could ever made fool set atrocity film absolutely nothing going plot terrible acting awful special effects shamefully inadequate camera direction everyone involved piece stuff never work film industry movie slow paced boring special effects enjoy movie year old director soft slave chained rage slave love realm bound cargo school surrender bound slave huntress escape sold dawn chained fury slave comes sick twisted excuse movie even dirty old man looking visual pleasure audience tripe would appeal film insult atrocious acting horrible production value miserably bad plot even dirty old men find waste time would know fetish wearing burlap around film made love lead male character holding machine gun head wildly air behind something protect film think lead evil character creepy perverted serial killer horribly bad german accent acting ability whatsoever found film looking extremely low budget film may appeal curious one star movie like hence reason watched however left nothing disappointment film bad bad enough good leaves angry sad point even going try make good film thing might saved lode tripe mean might would would made movie would least super bad acting extremely low budget mess took serious tried make us believe worth spending money scene one leggy female prisoner force w scant loose fitting clothing shown opening prison target city apparently rest planet run go figure watched far scene two could wait scene three turned love bad movie premise done death long afraid fall asleep rare see movie bad acting dialogue plot cinematography one place six year old plastic action would fun watch give one star hate kind b rate movie w dull could spent something productive sitting friend movie video nothing somebody amateur vacation video could find mildly interesting absolutely idea would offer type low quality content hey several found half made feel taken advantage known would never ordered one sure purchase repeated usually like one pretty bad acting awful high school could done better waste time money bought used bookstore little money know would give zero could permit one comic funny least horribly bad material unfunny cliche crap virtually every open struggling would egg crowd simply saying anything funny dirty cursed lot want good dirty buy old red album written gotten let sum train wreck pity duo could awesome scenario inconsistent direction even though main plot revolve around friendship disconnected improbable difficult focus tempo also completely irregular watch sake seeing together pretty much movie amusing bittersweet friendship two men nicely movie bit static got monotonous man accomplished writer living country muse young girl almost like boy even muse boy wife beautiful intelligent sexy affair younger man find happening play around wife confess everything could telling one two one honest extracurricular two realize desirable woman men willing bed come home take care business easily find another instead seeing lose get upset jealous never anything problem wrapped within think getting ready loose back country muse like end make sense would beautiful intelligent sexy woman put jeopardy like thought self indulgent conceited selfish like understood might different opinion thought story shallow lack substance waste time watching movie plot purpose wrote starred movie disappointment usually funny actor like fast forwarding first clue saw woody one part movie second clue got lost hit stop video note would able view kindle disappointing would information reading previous thought give movie shot know previous think enjoy movie nothing real except obvious filthy sad world prostitution movie hard get graphic excessive level boredom excessive lack substance creativity save time money sub old fashioned boring sexy exciting even interesting matter go wild orchid movie one quality video good serial enjoy want taste bottom part picture cut really see going bad like fun movie watch buck serial quality film sound pretty bad one better look older fact find cannot compatible mac even though clearly state could apple false advertising gimmick get part movie deliver watch free much risk involved made one movie funny often outright silly completely insipid waste time money one disappointing love movie way beneath talent boring hell real rip waste time money thought interesting thievery part steal money get away beyond boring plot nothing really movie predictable waste time one acting film pathetic police dog every human actor dud movie complete loss watched entire thing reluctant negative see believe bad really sorry video quality good neither narration dry boring side instructional video road motorcyclist learn watching watch interest history get past extremely poor quality video desperate need cute movie recall mind really poor quality video may enjoy promotional photo misleading moniker grab hold definitely mean sister posted one might get impression film one airy cinematic make smile happily away couple evening one miserable depressing slog movie akin root canal film watched quite time bright bubbly anything fact instead neurotic mess straining make way world spite damage done alcoholic mother apparently abandoned swanky sister quietly mind leaving gut note telling worthless wished never born old grey mere screen home dying bright bubbly still good child although visiting usually torrent vicious swanky would rather pretend already dead idea comedy drama different planet one dwell big downer character meet air life room brutally husband bed public anger everyone child husband best especially sister surprise hubby utterly joyless desperate sex swanky best friend smug cold wholly unlikeable art gallery owner smarmy horny husband clumsily comes odd bubbly fun yet strong say enjoy watching two chew scenery camera create pair strong like aroma overripe round strong found painful watch indeed entire movie made feel somewhat bilious horribly edge minute duration like spending time strapped chair room full run across blackboard front classroom director way must really loathe never ghastly screen film entire exercise like low rent version afraid right drunken hair teeth love find utterly appalling end film hour time feel though pocket picked face repeatedly run walk away abominable mess strong man strong n one many many two reel n directed lone star young young gabby never young watched quite past often refrain review shorts personal line division sixty one average quality figured use indicator much batch various band merry men also making republic time plot pretty generic far lone star concerned rodeo star sent u bet guess state investigate corruption annual rodeo small town every time someone town like win top prize end dead want know get complex pair rob safe prize money discovered crime immediately assumed thief nothing ordinary chance show trick riding though obvious body used good guy end fan genre work simple b full bad acting weak sound even old era poor quality story would made good paperback read movie full poor acting reading times would great afternoon theater everyone else buried alive starring even though movie boring slow moving plot awful waste time even free via prime sorry chose could watch half give never nice cast much sink teeth recommend better know rate r story told bother boring moving unconnected really like movie slow moving like gena slow boring goes nothing true sleeper movie glad pay see movie waste two movie slow kept waiting plot develop show emotion read lot description good turned might like neither us could stay awake plot enticing movie flat serious enough get attached funny enough laugh usually love old somewhat one kept fast forwarding close end take put entire episode wont ever buy anything unless get whole episode occasionally funny clever think thousand better ways spend time watching stuff watch terrible show represent good act pretty weird realistic terrible show long line terrible dumb control theme really getting old bunch animated video guy home computer made movie static animation sucker constant streaming every video would reset smooth pleasurable ended frustration younger generation one watched originally interesting see used norm outre never much spy series though meant order want based series help man uncle realize camp another case memory broken present reality good series format incompatibility support coming soon help still purchase series old payed full member prime still getting additional watch one episode talk rip think way go much much better selection additional hey easy use get got credit told block gaming entirely made sense even granddaughter tried get grip never year old granddaughter learned count say however want two like show crazy try far animal rescue go much prefer wild since real life information instead bogus made stuff year old grandson play player car travel stupid protection play home computer certainly good way entertain year old grandson never purchase another video waste money year old watched said choice interesting watch admittedly bit ornery show completely like usually pretty good indicator quality us favor go go back stay forget take buddy come people care suave needs something country legally way want yr old exposed illegal immigrant whatever calling days enough typical one liner program substance sister absolutely annoying aggravating character watch since pat insert huge piped background first second sign wow ordered rule jack jock go room decided put show like care either want put comes seem like sorry year old subjected drivel humor stale trite painful one original story set theme joke entire show addition acting vaudeville type excess believe show brain creativity finally social spoiled non compassionate hope exposed showing quality resolution going forward thinking would receive information purchase luck automatically quality ended sub par would never purchase know waste money reason day age longer time show really crazy reason love little sister absolute worst part show pure evil torture funny josh high strung incredibly annoying boring boring drake character half worth watching would give star give since like really way better time watch write much stop flying around taking back giant nest plant get love show find shallow violence far often funny sometimes recently sat watch episode garbage year old conclusion mindless stupidity dad moron rule home remember halcyon days family strong funny role like many strong shelter deal nitwit drake josh routinely lie sigh get away waste time bunch around screaming maybe old nephew teenage niece love remember show young liking boy age really change ridiculous good way old time show entertaining time made unfortunately one hold bad watch even one episode like ridiculous missing anything get one film sad camera work bad engaging film every person one never hear actual pain impossible connect without story say cant call rip buy digital save headache worst season hit show see shift quality original three season ever since movie original crew creator left taken turn worse would recommend try new growing better survival jellyfish jam band really disappointing show fallen grace get wrong season better awful come coming life long fan real series ended movie supposed giving one star purchase item yr somehow learned purchase kindle blame password also watched well must say veteran viewer season live previous great course must say adult humor lost like original suggest lower one sum die hard fan might enjoy feel program terribly bad laughing however since longer afford channel set hopefully outgrow soon grandma ginny stupid show teenage sex come nickelodeon supposed network soap opera channel like slow boring kind movie half like type show hearing say except must say ramble exactly sure notification item make purchase high use prenatal class rented staff meeting agreed would hold interest young badly needs background music alone dreadful kept thinking sadly one younger group might actually cause young want certainly outcome outdated already health practitioner done sort research watched stop extremely poor production lack coherent instruction bad disclose purchase disappointed customer many bad way treat movie even though originally way standard aspect ratio nothing could way could get movie display anything wide screen format top bottom movie cut picture clear either like first movie one captivating enough seem fall short film daughter unfortunately better found mildly amusing agreed take poor acting painfully mediocre musical score faint wisp made grease fun pink ladies coach show school none fun fine made original grease ensemble exception couple small anywhere found think grease even stayed lack luster character development non memorable musical score poorly dance weak good lead could sing act would giving least tough time giving grease one grease see would disrespectful least pay bury remember seeing movie first came thought would fun watch since watched always awesome grease grease horrible acting awful plot watch movie bad almost good pretty bad movie watched fun reminisce little poor sequel grease worth early glimpse although really look high school age good beautiful people large cast primarily bad music book believe time written movie four half mildly entertaining best perhaps nostalgic remember came follow grease really awful wow four half really though like leading guy boy stinker usually pretty forgiving toward first one tried second time older still like feature movie even hard slug grease great grease good movie lighthearted musical family teens like lead male really cute movie biggest b one awful ever made grease look like art year old grease watch grease last little charm original think song bowling great singing great either first movie much better used like younger could hardly watch original course timeless one movie kept stopping trying play movie good first grease completely different see horrible song give star much poor movie first movie opening scene turn see original happier music forgettable fan grease love grease much better better watch try never movie actually make go dancing fun watch acting well acting attractive talented make casting horrible glad kept bag last airplane ride came handy foul follow goat pear turtle potato radish baba ga vodka cherry pie la la really first grease based stage play survive one horrible retaining zero percent charm original bad sequel grease corny good thing movie get first one hold candle original pretty dumb saw pale comparison original bad acting bad say love original movie one fell flat well think could better giving benefit every conceivable doubt even mortal media even entertainment kiss ass much ugh would given version law order usual except directorship way much obvious left leaning bias mixed within like entertainment free director interested visual entertaining get past first ten nothing grab attention wish could get money back watch available free least thing wasting time money also prevalent w value whatsoever fashion watch joe zee line like fashion w side drama fun want education alongside drool worthy l frock great available consider one awful need say tried force watch whole thing honest able get half saw title immediately thought would probably comparable like reality bravo though bravo like time still much higher please waste time money watched countless never come across one review due poor quality film refund love jerry lewis went broad way musical see live one worst ever everything nothing funny get wrong lot silly one dumb thought going full short film waste time expect extremely left wing organization promotion self hate core agenda waste time great platform self lash guise humanitarian new less bad bad bad even bad bad every way poster art good avoid cost even cost terrible young especially raising young serve immodest boy crazy good role young young value come lord boy feel simply boring acting believe watching much say documentary organization compassion radical watch unless want pa propaganda reminiscent also centrality religion ashamed love show decided rate come across closed automatic star enjoy cooking reality little irritating interesting content lost intrusive bland repetitive predictable concern number self important appear unable handle cutlery love c train wreck variety show combined video quality streaming nothing write dud movie like like show pretty lame show even though something cool fashion like better show objective put black actress baseless unless five happy see black girl pretty clothes value never black show reality show really great needs assigned genre wise would even make good film quality grainy lame save money total waste think good acting main concern short pretty sure made shock factor dialogue difficult hear due poor audio video quality great either think intentional know want disturbing sex self destruction weird go prepare confused disturbed like disturbing watch one entertaining least nothing total nonsense waste money say write twenty well guess could say much like one time put great show shadow former case think original musical youth band sound quality otherwise good video mediocre male would added nice variety solid good video quality would expect era sound quality less expect vintage clips video quality disappointing vintage clips video quality disappointing vintage clips video quality disappointing vintage clips video quality disappointing preview could find thought montage great screen really dumb two attempt narrate introduce worse stooge ever tried sit nowhere close style comedy bit found recent movie personal style taste looking truly funny believe find unless first cause could take please offended review trying clarify sure agree movie fine maybe murphy mike nelson two three missing bill former mystery science theater even come close hilarity k even film crew brief project occasional station ending movie week whatever put company k ball hard making us wait minimal best legend backing become even bigger funny mystery science theater provide video demand old cheesy sync commentary full length k days short boggle mind even serial like old days k batman robin serial first episode aswell best shorts video demand frequent live simulcast via satellite nationwide later release even later lucky ray release live secure film starship able riff movie live show ray sadly riff still great riff anyway rented thankfully didnt buy diehard fan seen swing parade another old three movie comedy musical got full treatment commentary track everything release aswell legend advertising mike apart release commentary track instead get sub par good watch maybe seem like could done two one probably office lunch swing parade effort put forth minimal almost point even cover would great release full commentary track hope three alike allow optional commentary track release full hilarious treatment got see mike first time since film crew tried hard slap stick three thing stuck best hilarious observational comedic style perfected mystery science theater film crew three fan sure love death much fan three much comedy era slap stick k cinematic titanic rip film crew fanatic collector ill buy live mike aswell sometimes digitally either instant sometimes shorts keep riff coming even want saying something ended watching clock laughing bit three waiting theres also pretty big lack mike would expect given theres commentary maybe short sub par tops hear blend seamlessly full length movie check swing parade sure great riff movie also may minority curly fake joe palma whoever seem could dig dont think curly either weight lost type personality something much less entertaining original larry curly bedrock modern stupid comedy watched anything made teens nick matter comedy seen stooge humor read title three description larry curly thought good would absolutely peak career hack obscure stooge movie made end stooge run curly probably dead place annoying imitation joe absolute worst part car wreck couple hack funny try bridge poorly nothing context whatever story may originally tied together say think made may original certain crap got however saying making chicken salad chicken um excrement rather chicken crap shrapnel deadly expect great acting writing bud movie disappointed video quality stopped watching transfer like early kinescope color synch lot go black way original release really tried like show huge fan original series trouble really show instead focus food become travel show complete eat visit sort cultural historical information might expect brown show say bad supposed travel show bizarre never supposed culture place almost trying two simultaneously replace travel culturally show successfully cut production keeping show based needing lot filler every episode could watch first know rest video got little repetitive inspiration wane see footage bad brains saw sans jimmy hazel maybe fairness disclaim watched happy birthday night fellow feel like life time watch irritating hand mess several lady eat go bathroom walk argue drive camp pretty much bore heck got wonderful film festival two enjoy style shaky cam film making worth price get demand sound immediate eject full irritation level proceed risk knowledge style content skipper terrible apparently near future lose ability speak spoken entire film regress watch least bit enjoyable seek entertainment elsewhere could wait failure film end acting sub par plot non existent story lack setting information background nothing good say film except black white least think watching instead turd film tried hard enough disappointed selected add demand selection offering many much better well never get back nothing movie plot save time money worst movie ever seen life believe people thing would given zero could visually stunning best actor story line dis jointed overall disappointed story acting totally carried star sorry film obviously fake film critic reaching film festival praise watched almost half movie find power subject draw real plot speak find totally acceptable comedy provided modicum humor film guessing director awkward new funny say film awkward nothing worth save best poorly done every way except opening quirky like flat dull lame wait end pointless flick plot slow good way unwrap draw simply kind substance dialogue film neither romantic comedy two new york spend time condescending toward men one baby artificial insemination stealth father film overall know want pretty much resent fact actually need man chick anything else movie better ways could spent hour plus sat front screen desire see like movie sound movie much hassel send back whatever company sent behalf sending inferior product denim denim wearing condescending man child sensitivity newt mad post modern middle aged sperm worst nightmare potential wait responsibility woman cheating may child brilliantly consistent end supposed buy half attempt sack attempt mechanical satisfaction one swift kick said sack sadly script thing oddly staccato last scene decent job trying salvage unfortunately little late overall dynamic two flat except irritating great film low budget well complete waste time watch folded laundry hello producer next time get idea make movie story know plot point something audience tree forest one hear sure expect rented film certainly expect got film incredibly slow moving much boring photography horrible story line secret wrapped mystery cloaked enigma one aspect film music great film lynch work see lynch least understandable level one definitely put film bottom prime free list perhaps stoned movie might make sense movie bizarre nonsensical lynch twin well way waste time money simply terrible title alone really interesting could gone million ways chose path one day like rain decent enough two pool one suddenly throwing stuff around also brunette wearing sex goes brilliant master plan five chemistry one smithereens getting character really never really becoming garage dancing around like madwoman one point movie bad getting worse think director focus writing much tough trust know really like lot thought cinematography average low budget film material acting way bad cover season witch really walking around end sandstorm meaning someone please tell hold end see skin briefly briefly nothing ever comes mind bending mind boring kind like sans moaning obnoxious someone backhand watch instead condone violence movie good supposedly end world movie see watched movie goes bad worse even worse movie point made sense movie teenage angst extra angst teenage angst thrown make kept trying find good spot film least something would indicate going never apparently director smoking pregnant movie sense probably get better even smoked pregnant guppy bother watch test pattern snow instead motion animated shorts may remember youth tell mind none voice acting perhaps annoying opinion snoopy slew conversational thought throughout happen batman brave bold gave show one star button watched cant say series keeping batman look feel last series look feel old show inane childish batman running mental commentary every show mention calling old chum drawing flat like cheap old comic book sure trying worth watching pathetic perhaps worst batman cartoon time whoever put beaten sock full kind strange cover alfalfa see long last clip sort deceiving ask title hold true however would hard describe little correct size going also sure kind behavior director think rascalry mind pretty tame rent little movie older show name cute somewhat funny watched year old found fan violence doubt much would make onto show nowadays guy bed electric know good fun still find inappropriate little funny either instant watch video bad low budget watching humor effect alone never done see far get far lit class watch film couple character interaction definitely bland zombie vamp cross could stand book melancholy like smith version human interaction much much vampire like ugly actually able something defend attack well show emotion video meet deceiving picture shown recently movie happy music teacher looking something interesting show movie informative exciting people watch least price cheap basically waste time may historical value little entertainment value worth appreciate improve like paying something get free elsewhere good without tax although segment really long enough tell us video beginning sure like old old thinking yesteryear despite title metaphysician find fire brimstone thinking church whatever church outdated humanity large part blaming creator everything personal responsibility gratitude free least minister blaming everything eve always good thing segment shown perhaps tell us film first impression boring couple bob hope ending game show appearance amusing bit lucy humor sadly mistaken list temple dose little talking show really disappointed show good missing list would star full length feature film shot meant theater environment pay sit chair hour half watch monitor surely someone release retail bad sound often went blank end would start never finished though getting one put lap top rather get wide screen view small box center screen really really want money back royally company filling sides black make wide let device decide display make content fit correctly time movie would run minute two stop running current version flash however despite translate well ordered wonderful life receive checked chase billing noted credit card chose complain always may try love movie could watch also unbox watch extremely majority movie washed much cannot make even see people lot audio fine able see movie detail big deal also like mixed impossible see instant watch version opposed ray supposed classic movie bailey man life brink suicide guardian angel sent heaven show good self sacrifice done like wonderful premise right well let look bailey child catch pharmacist temporarily giving someone incorrect prescription patient would patient adult go college travel world aside help family business someone resulting ear becomes unfit military service cannot hope become war hero many people would consider blessing rather curse careless uncle huge amount funds villainous town banker ready destroy bailey family business hope gone bailey commit suicide guardian angel promotion heaven comes earth show bad would never pharmacist going jail town sin end town bailey predicament save giving money spare grateful done wrong ironically bailey well enough nice home wife ineligible military service worry taken away also read would show heaven ranked seraphim six cherubim church minister came nonreligious background said sacrifice often freely people look upon slave someone going way would townspeople give everything help bailey stupidity trusting uncle let along much spare make lost money feel good work feel good great movie intention burning work spent money bought spent wasted time trying burn dont want watch movie stupid little computer monitor want watch inch big screen version begin lesson learned made clear disappointing view free would pay premium service clearly nothing premium warn watered version show blood light effects find elsewhere make sure original really needs work giving come anime need know hate speak well enough follow closely bought page see anything spoke luckily bought one episode never trust anime unless u get enough satisfy u shop caution nothing instant video said love dub show release feel like made mistake season version theres way change would love know watch free hulu version shown us contrary logical believe language bought episode son animation version hello kitty late quality pretty poor image dark feel like watching upside daughter actually well done attempt recommend age violent times many suitable nature available waste money waste money buy video instant wonder hate see thought better purchase entire season wrong watched volume low find case lot sure streaming bad quality movie well made bad acting cheaply made worth time sorry watched guess good time made forgot corny vincent price although love five star movie version poor video quality video blurry focus buy version rip pure good acting story like probably like enough basket ball daughter movie game thought funny though thought would serious action movie would rather watching movie line speech first serious bordered comedy bad complete movie maybe try came like movie corny plot week plus acting really movie thought going good action movie wrong movie fact kept freezing made worse blame movie direction someone really bad movie purpose get whole movie going ten pointed downward motion blah cop show cool never cool always getting man say plausibility watch want background company pay close attention comes like music video instead real life enjoy police drama capacity real life blue hill street blues shield one turned first episode tried second time think even worse done swat mind use full swat team would make many would problem show going general idea swat first guy negotiate one minute commander next minute become gun toter critical incident sniper first episode first take roof top position dramatic purpose let slide however radio cold zero even look meant even line cold zero clean cold bore shot sniper needs know first cold bore shot hit needs know next barrel shot go got cold zero got stomach line let show keep going want see man team kick butt drama thrown watch unit least producer creator unit delta force whomever needs find swat technical advisor like cop show seen times cute girl cop cop cant seem connect family concerned supervisor tough outside compassionate sound familiar believe show got high cheesy unrealistic kind person explode giant fire every time go cliff love show kind person stand fake reality fake reality show frustrate take fake reality trying enjoy fake reality inside fake reality even qualify rather bleach open watch gift find last disk set missing see time period return flaw would like replacement glad return defective love good caper casting almost total disaster timothy black guy girl terribly engaging compelling black guy particular utterly unconvincing stereotypical black computer utterly annoying bland otherwise sleepwalking series timothy grandma tough guy good pick realize dissenting series kiss death reviewer honest title say looking forward series stopped second self fantastic jacket one split side broke never like oh well tuff love movie sometimes pretty poor job us know sell found case one original reason distributer chose release without capability since try play order find returnable guess spend time dust shelf find someone give reading series help notice one single bad review quite series really bad deliberate clone hustle similarity robin hood altruism unconvincing top premise story group con able reform deviant ways order good corporation also away plot line role make story episode quite shallow little suspense surprise episode critical drama another issue series really use racial show overly politically correct attempt ignore potential high series give series star actor bellman short want really well written clever drama con excellent watch hustle hustle going th season despite hiatus excellent show visually great rating movie dont waste money even production movie bunch grainy footage crap alpha video provider vintage often unavailable elsewhere alpha fair transfer quality none restoration yet relative obscurity reasonable cost make purchase indelible stain screen legacy blood bad late career move minor role elderly relative whose demise motion series proviso old millionaire four adult must spend week family estate want grab share million th goes four accidentally purpose croak surprise geezer get money yawn story done many times remember order inherit share must stay awake whole see turkey lots luck pass please senseless say finished work quiet movie capture attention first movie terrible movie one needs divine intervention spare watched long could stand simply stop wish could get divine intervention get back recommend movie anyone record seriously worst movie ever seen took regret sitting watch wonder killing starring saccharine bob jordan criminal businessman caught employer smarmy unlikable unfunny comedy fairness material give much work concept bind money wife insurance proceeds idea modestly amusing concept film movie within movie concept used relatively good effect although musical number less enjoyable series murder hire wacky predictable driving behind comedy film piano chicken suit yet another comedic fraud bad caricature doctor extensive pain audience undercover examination wife perhaps embarrassingly constantly bogart cardinal rule unwise make good movie middle bad movie among unsavory bill captain bobo ruffian debt mob musician money scheme worth lip gloss worst bela impersonator film history working weight loss clinic repellant picture think reason recommend audience way would workout cardiac care unit respirator instead wasting money video run home see part video took one class much thought would try another dance workout video well one certainly waste money taken ten gone ice cream say certainly goes every step need rewind enough get finished thought gee must basic instructional part workout begin end video best bet rent possible since need play twice want see good horror movie rent one waste time want support independent film maker go give possible ordered film got instead money wasted shot amid scenic beauty northern title deadly veil soon release featured dog week gene roger network program scene ray sheriff drinking glass milk something must quite difficult unless laced scene milk glass indiscriminately rise fall probably made self respecting continuity go ape old film tony bartender great ways story ahead time unfortunately rough production acting low budget film even help find audience however still enjoy watching every see remember like inch waistline wow wasted give one star good looking model beach even amuse bad bad stab sort modern art thing believe type crap even watch maybe suffer yes first one shot ocean minute rendition la think went incessant beat perhaps beat supposed represent universe however may reaching movie video bad every often might hear someone talking universe series briefly beat obviously whether universe narrative myriad narrative perhaps could finished watching stop first trying give chance wondering point exist video video worth used project monitor actually worse raven movie master piece comparison bought stupidity box assuming documentary actually really bad video really bad music maybe missing something imagine anyone enjoying nonsense already given explanation returned mad room movie missing know saw original early movie bonus theatrical cast way much film cut tremendously che incredibly bad good way true classic field entertainingly awful picture jack strange thing always consummate professional strictly movie bad choice would impossible take seriously talented actor title character practically invalid real che asthma che went way overboard aspect make che seem even heroic constantly gasping breath inspire admiration revolutionary saint one last note real che exactly noble gallant brave probably delusional megalomaniac tried depict real che really odd choice figure end result funny comedy problem supposed serious extremely intense film impressive thing film far impressive associated fest like many nonsensical inane movie list pudgy year old alan supposedly young black knight around clownish short sleeved armor black white gold one good example production however topnotch fact far good fiasco film waste brain one prefer historical fiction historical background accurate regiment lord fiefdom wrong time history anyway ludicrous foolishly pilot episode thinking original series solely graphic icon used original series course really description would seen year fault think needs display graphics come particular series advertising saw show convinced pay watch recapture silly magic original like humor bit color watching tween much innuendo despite loving original really disappointed clean watching top definitely lost something older version wasnt really really quite disappointing episode beyond boring funny mislead know get smart painful watch wish could return episode try original series near first get smart younger older one much better view aware good original certainly thought would sadly full language original series justice opening tired retread original series great however writing forced certain watch buy different episode think get refund correct episode needs added lame lame even back knew drag lame horse bit old wee hill every line often painful want delete oh miss first pure thank goodness prior aware actual disc nick time please notify actual buy immediately waiting long time movie come well direct video want want actual video hold studio come get choose rating item love box set season got disc look picture clearly one set even episode feel picture season way since much less useless drivel form television worse least least one woman worth looking program test fun nothing would normally give show plain fun watch rating sudden surprising need pay show without kind notice watching old free several young grandson watch together sudden week pay every episode watching free previously sense us first time us prime membership like bate switch pay get screwed interesting really enjoy lady stuck toilet gross went prove point got stuck bathroom humor funny scientific hope review single episode something went wrong season episode video portion solid green interesting kind would always like understand better stop watching soon got drift trite funny illogical skip one bother apparently fill certain number hour something impression get watching little learned two principal full essentially five hour cable ever entertainment value know episode missing water episode shooting fish barrel episode purchase entire set unless entire year included wont play blue ray us would company send one play raise flag seller love think make boring plot movie slow boring ending awful sorry spent money marvel watching reed joke making little insignificant film film timely period look anything special formulaic boring sharply bitingly funny novel heterosexual time extreme cultural change unwisely well swinging screen adaptation tepid unconvincing disappointingly smarmy every change many great small step wrong direction result confused bearable due sincerity jenny girl title cameo poll worker also provide enjoyment got right excellent part film set firmly right period right music expert screenplay fine cast headed sienna although production boston never form u u k long overdue release pure garbage astounding like get made real rating watched movie generous almost read customer read synopsis scene garland black face love watch sad reminder long ago popular thought kind behavior saying remove racist history saying warning description least best explain past slow evolution human said family movie mind remove title racist behavior period movie potential decent momentum going first big time boring obnoxious character development particularly lead actress cute everybody like crap especially know successful give take sides movie let tell deliver cringe ass kissing ever video try hard imitate style irritating trying look cool soon realize watching horror movie ass kissing love letter please hire kill pedestrian bloody however wade get next one movie way long would better least cut running time even would bloody kill nothing special whatsoever ever feel like wasting lot time getting next horror scene check made somebody savage spirit bad horror dime dozen head one horror review direct video fare choose title random probably find handful crap crap top compost heap find majority stuff useless increasingly horror sort thing middle find worst offer good portion direct video market amateur whose crew got drunk throughout never movie making really bad get bottom pile truly truly horrendous horror reside every remake awful awful th responsible couple ago example general sort direct video never believe self actually quite someone distribute laughable special effects whose bad seem like made went along lack originality pick source every scene therein go without saying majority fi channel original bad wish never seen level find savage spirit movie somehow combine seamless bundle suck amazed newly christened channel yet snapped paper thin plot rolling quick completely extraneous one pair case hot young couple got killer deal house fully furnished bunch young beautiful plan housewarming birthday party course house saw ghost sister lass movie full cute still wandering around killing people psychic happen figure help two way movie point completely new yeah level thinking went making beast actually calling thinking may overstatement originality went take best two dozen came make awful find way cram flick every modern horror movie think pick every movie blair witch project sixth sense even music shallow score lord savage spirit flirting inclusion list hundred worst time one depressing life right second movie seen week make consider list peter similarly painful short back dead halfway quality film beautiful riley act tactics mostly footage pro shop equipment talk safe family friendly min length equipment first equipment even real show one scenario forced entry commentary footage entering building video text short instant replay text clear corning gun draw enemy fire might work real marker hit thanks lame tip fake scenario action scene mix fake movie shooting get odd mix people without eye protection running around badly acting hostage scene commentary tactics video description complete lie removed library rented son watch interested like watching low budget home video really little watch engaging see cancer treatment offer integrative holistic treatment video though description instant video original instant video fact remake waste would interesting boring way lot talking enough directly related commentary could watch turning although content pretty relevant time series seriously quality especial audio portion background music loud often dialogue far less pleasurable experience thus two star rating reading part production company please reset audio next production run video demand film stupid movie title saying cast order saw archival setting amazed anyone would pay money garbage either see wonderful content provide material used critical analysis healthy relationship collection footage opinion nothing slander ridiculous exegesis political punditry best would expose three reptilian galaxy would explain lot would mighty difficult prove anyway file enormous waste time money view neither gain back watching interested finding anyone thought profitable investment either even bother wasted watching piece cinema foul made sense maybe rent would like think got extra worth doctor get money back medical excuse mother got upset mail box done since laurel hardy always family favorite film appear bad doubt much knowledge assassination conspiring duke cover sir harry murder bit stretch laurel hardy funny comedy team brought much laughter potatoes world better un able watch movie made seen seen player ever seen would love say seller anything help would times way make right return exchange seller never anything stuck watch original disappointment watch min poor replica story different good cast make even agreed star great actor good script stay away tarnish memory original story primarily failure utilize alternate play roll previous movie quality performance new low enlisted accent play roll movie nothing anything would entertain cat human story shorts poor even remotely interesting either cat us ever got shorts hard imagine movie would fish cat would find entertaining story continued watch violence least three extent far anything would interest cat pitiful pretty sure film bad shorts nothing cat entertainment disappointed say least believe picture three watching selection would recommend anyone watch thanks mediocre opinion chose buy cheesy trash fake look see movie one worst boring horror ever even bad good way bunch sitting around talking stupid stuff every super lame horror scene rip horror like everything else charlatan director avoid like plague time valuable movie allegedly based real cheaply made effort story group incredibly stupid young people spend inordinately lengthy part movie nothing secluded beach forget way back get lost forest set upon group weird menacing backwoods poor acting suck life supposed slasher thriller suspense wondering member group going survive halfway find even impossible believe real group could exactly call bad good type film bad around awful production worse acting lazy writing ending shocking synopsis would think ever see vanishing remember bogus ending size want know handle around scratch pat make trot around watch click camera explanation specific technique may use like learn setup gear used photograph likely little use first looking captain kangaroo video show granddaughter got instead nothing captain kangaroo tried get refund never back money wasted movie available prime stream cost still feel like got watching surprising though huge conglomeration extremely reluctant offer decent fare prime view free well except annual fee one would hope people would one day reward best variety decent view free maintain number people prime know comes time renew going think long hard true value getting fee back movie though dreadful worth watching need background noise reading paper cleaning house certainly popcorn fodder watch movie good thing forget flick day simply dreadful movie every respect humble opinion indicative concerning prime hit one click mistake tried watch amateur slow movie sorry although autopsy complete done quickly doctor hard understand stick stuff save money slow uninteresting obtuse made ten really take attempt hey get make zombie movie wish always happen garage band buddy supply also min short film hope keep trying low budget charm watched preview slight smirk face sheer delight love watching amateur acting shoddy camera work know practice amateur acting shoddy camera work movie like many caliber move empathy maybe shrewdness review type movie sure give worth small rental purchase fee guarantee get unique experience anywhere major theater even extensive horror movie list drop change bucket support small guy remember little people see film love low budge horror picture amateur student film exception camera work give way money reason gave star give zero first make naked zombie see sec nudity description horrible acting could better written better script dont waste buy even much worth c total garbage even watch whole movie bad less star waste money movie worthy poor drama waste money yes say film whatever hell want back want buy something dollar menu movie entertaining never get two life back wonder never kindle fire searching promote social awe dry told turn imagine much dialogue together laughing waving maybe much younger mines interest ended turning watch rate video mostly make certain survivor humanity fate line film really rail one point even white biggest threat humanity film three part elite group one opt stay group via self sacrifice member goes rejoin fail think another point science helping people live longer burden society thus science disagree many go overall message thinking one self quiet good film goes rather offensive calling stupid sure point get people open producer chauvinist either way really like idea intellectual elite always someone intelligent abide message partake buy rent film recommend philosophy love good trumpet constant blowing shrill high made ring wonder good music death people like could little higher scale would every glass within fifty watched spirit marathon something similar slow boring tedious creator process running lay person marathon much famous boston marathon give getting running realize boston much elite special however run marathon want run new york going amazing incredible way see city would seen group people came history finally turned got video footage guy club running running marathon history disappointing say least clearly supposed biography guy strong subject hold people attention done accomplished would much better instant streaming bad consistently plain ridiculous movie apple avoid frustration constant free instant streaming prime member works half time becoming disappointment movie balanced report animal instead movie different animal share propaganda sticks around uninteresting dull people movie poorly produced full know take make minute point regurgitate point throughout movie regardless topic would much better watching handful save money blah blah blah save blah blah blah eat blah blah blah blah blah blah eat trying figure get refund video rental cheap principal quality instructional video horrible worthless resolution low even see computer screen expect free tutorial one edit received today payment thank kind humor little thought would romantic comedy maybe one star rating unfair watch whole movie totally scene dude sex advice big red dildo camera charming tableau time shiny red dick son think sidesplitting riot movie good luck care movie lot trying funny type humor read synopsis like might entertaining got decided invest life work hold attention good everyday rock another country watch whole first ten subject far fringe get even get whole harry potter wizard rock thing get fifteen footage many take get center white house worship control without lying super bad cheap movie ugly think worthy cover trick waste time outdated movie trashy performance like movie plot dull flat waste money h g f f looking quick video lady totally nudity boring babble whole time waste time money poor shot whole thing poor actor story line movie big time worst purchase ever made right bought unfortunately digital move anime rent see really nothing guy scale book even good one scales one octave show scales actually practiced fit context fret board mechanically goes one octave also get little exotic scales fit end come sell stuff video duration waste time money lame movie movie dont even qualify low budget b rated movie waste time unless want give money away unthrilling even foul got taste totally unremarkable piece trash run video little added bottom screen one really video unless someone speaking course usual commentary bottom screen care much stopped watching perhaps way video older video footage limited park information regardless show lovely park long little footage narrator park rocky national park rocky mountain national park poor indeed almost fun watch hear awful narration actually good video rocky real rocky another spirit though long returned first trip rocky mountain national park learn wonderful place sadly film quite short must made long ago national treasure update better writing production really video photo set elevator music give money back anyone enjoy book point read see anything movie inexplicable key element mystery beginning movie unlike unveiled book goes along keeping narrative momentum part spoiled movie approach matter well made husband read book watched movie thriller make sense hard follow read three jar city three far dealt murder rape done well mostly found met justice got impression reading past iceland share properly dealing taking serious crime rape much rest world also got feeling say last whoever book screen completely gist story based upon innocent young woman serial monster made seem perhaps getting world allow kind deal make book transferred screen different manner say bad one woman find adaptation appalling recommend wasting life upon read book avoid rotten movie unless think poorly made video dull narration would recommend find different video learn instant video movie henry purchase find play total used instant video times second time product even case need reading carefully let purchase would careful instant video teach read marked season front back box season problem actually season thanks lot paramount sarcasm switch please truth advertising also would nice would label appropriately season might keep making mistake made season listed complete incomplete season missing half season extremely disappointed find another find true actual complete season purchase basically wasted money please waste money rest order big disappointment love show show great show seriously wasting money trying find another way show get throw money away stop selling fair love show however truly disappointed way short set season reality half season countless television never received anything less season charge us full price providing portion season dishonest akin stealing shame would gladly entire series watch show abstain paying another dime set second season however nine twenty two second season superb series miss watch list strong superbly written execution thereof particular strong performance episode episode disappointing misleading already noted included blame also missing anyone bet sometime future full gee would get pay show twice like sort underhanded business practice cost viewer got lucky buy concerned missing full season flag disappointed season rest purchase show unless start listing episode count waste money really hate look elsewhere find ordered flash point season item pictured first made unhappy collector match three watching figure mixed episode blend would attempt send item back waste time money sending back wait forever get replacement item refund may never see never order person strongly recommend one ever person seem huge fan series disappointed second set like posted set nine eighteen leaves half season plot many center gray area bad person trouble team goes someone work goes bad team goes person get simply bad taken care dad daughter secure heart transplant due administrative error dad jail save daughter ending good need review narrative choose might interest basically stopped watching never like movie artist nut case whack could fun movie turn paranoid mean spirited want care think tried make look like artist pounding clay emotional outlet suspect movie originally pastry chef whacking butter finish watching engaging enough slow moving romantic appeal evident well movie least three times sound movie every fifteen break making impossible watch bad remake movie would recommend usually great original script bad first let state huge fan show first two found deal went pain switching cable season would longer shorter probably rating season release one star found season release shorter broadcast extended season broadcast also music according check story marketing decision seen show clear fan base extended considering hassle show went switch show feel deserve extended take rocket scientist see providing extended would improve also upset music release based release refuse support many view bad picture reception like loaded every three happen watched series heartbroken huge fan picked season read linked season full channel music basically saved show going shaft instead full mad much could really cost release entire something done negotiate use music front usually love music originally chosen original creative behind show rather fact haphazard music save money willing spend season buy sale would probably spend easily get full real music racket usually hate star nothing show way like volume make money way access full think star content related least volume may squeezing money know option buy volume get entire season way get hope full way also said would season yahoo honestly tried watch really good plot thought could overlook fact entire cast probably related bad acting effects place beyond cheesy stand plot better acting decent effects budget done properly may good movie gave effort put rented movie thought new bond film actually old shame get straight never able view tied figure get refund figured view film long time ago better quality think copy film worth money could get money back better movie bought based upon enthusiastic review popular film going make review short special film covered time dialogue whatsoever film want genre available dot dinosaur valley new version blonde foreground open mouthed green dinosaur behind film world forgot aptly forget movie fact fairly positive well know people thinking bad movie boring nothing tell poorly made even time made sorry waste money one really b movie fan one use phrase much breast know crazy way much gore b supposed fun one took way seriously b supposed know b shower like something video camera panning catch shot ugly ass turn course see end gone dead thats b movie cute fiesta bowl buy see state terrible like home movie little coherence presentation substance complete waste time documentary simplistic amateurish production quality appreciate intended benefit appealing thing funny generally like comedian one better follow better funny several maybe times enough make worth watching poorly put together piece somehow less complete emcee job martin regularly hilarious connection python troupe bit disappointed loosely strung together edit random incomplete well produced much wrong film even know start rented movie listed comedy nothing funny unless find humor cheesy acting cheesy plot poorly camera work approximately every three film every scene quote screen sometimes quote connection anything going like movie trying hard take seriously nudity fair amount poorly handled mother time naked cover hugging son nudity serve plot nudity occasional group sex scene movie could considered soft pornography acting astoundingly poor even genre film exactly known winning rent buy movie lose hour half life get back fan naturist clothing free film mild appeal due semi attractive sudden interest going around house naked sadly little somewhat ludicrous plot watched nudity even comedy actual clothing optional one good thing fact unafraid include full frontal semi nudity men also found film bit frank sex talk thank god one time demand worth real money long story short want see around actual clothing optionality would encourage rather making purchase seen kindergarten school better better interaction professional movie total waste money time movie vehicle accident would car pile got moron watch must brain please waste time thinking movie informative interesting way shape form first thing couple cover couple video hot second video quality awful low seriously atrocious cheesy think invest make video guy lying bed private covered time big turn anyway wife uncomfortable giving massage mean invite watch video laugh night terrible video complete waste time money sort instruction giving massage story nudity video hour girl rubbing back chest blanket bed bedroom pathetic video seen would advise anyone waste time money hoped gain knowledge try least got nothing rental fee clearly one good review written either guy getting hour long massage girl giving one else right wrong mind would anything good say tragic waste time money stay away smart thought would good answer ongoing problem nope thought poorly video guy dining room worth price admission first state video quality poor video rented every scene video fault better secondly music mix way high found difficult follow instructor times music jarring times instead soothing cheesy quality thirdly instructor little child like times felt like giving five year instead routine stated basic three standing balance overweight working lot found easy fitness activity level reason tried found beginner yoga extra weight bulk simply get many fairly sedentary overweight inactive would great first introduction basic yoga keep looking feel stress relief video good worth even rental fee instructor irritating middle move body squat air scene another move never release transition odd even couple side stop try something else like goofy effort goes nowhere make smile recommend unless feel like looking couple pretty hour fan poor acting would better natural informal pass one man spent plus famous dating sleeping never found soul mate mo always free spirited along able party hardy show absolutely crazy drama booze elevated bad behavior towards one another many insecure definitely one insecure polished early especially show mature highly stable early favorite mine later watched turn drama queen fight brett admiration blame knew brett favorite jealous also brett would conduct group trying get know made uncomfortable elevated hate toward one another brett spend one one time thought best choice stable relationship cute accent intelligent stunningly beautiful fun open long term relationship may lead marriage someday turns brett broke went back mother question remains brett ever find soul mate going hanging lot time tell wanting give child little information sex works without look elsewhere compilation clips tsunami attempt story narration gave two author put forth much effort assemble footage waste time money one barely see film going show film least show clear film wasted time thanks explanation going unsure worth time crap pass one much better one believe believe national geographic channel really depth study terrible event film interesting quickly repetitive boring basically bunch amateur video tsunami see similar footage official plot summary new feature black ribbon written directed intriguing suspenseful tale horror taunting captivating pace sheer terror doubtless written also star movie sorry actually want draw watch film need consult publicist actual publicist megalomaniac publicist nothing description want risk moment watching movie exuberantly negative help get would want put something bad name unless someone want embarrass horribly might actually never something without official plot summary lackluster speak maybe someone get better one get made well obvious low budget one would back waste time bad good production want use video mode digital camera make movie worse every part movie use word movie much hesitation lack another appropriate label incredibly amazingly mind bad could used affective torture anyone know get touch bay elle even bad really really bad absolutely whatsoever waste time terrible man tongue whole time even mental know hard day yet producer appropriate reason give star rating style nudity imagine unknown embarrassed ever work one poor woman film chained cage sexy lighting look old homely another guy film offensive imitation someone mentally slow bad fun laugh kind way either garbage hard judge quality content video context pretty poor first like vast empty lecture hall smaller room looking monitor camera stay still still hopeful material sure watched ridiculous movie acting terrible plot sense reason ending pitiful material like thought regret movie thought worthless experienced craps player unbelievable scheme could acting flat without doubt worst movie ever watched partly due low budget quality coupled terrible acting writing slow times felt like watching old talkie minute short film somewhere hidden many worthless attempt make full length movie every second film shot know real story thankfully bought free credit would gladly pay get hour life back say end fairy tale ending movie far fairy tale however edge disturbed pie portray thought credible really felt like main character learned nothing forward depressing watched movie phoenix wonder left business publicize movie show phoenix depressed suicidal child couple set daughter business associate love neighbor drug addict mistress rich attorney unlikely leave wife movie poorly made full one care insult intelligence movie seven seven ago without beautiful music sad phoenix last movie really good actor movie anything exciting guy stuck family business exciting girl pick girl cast great screen time beyond waste time unfortunately worth seeing theater rental movie good weird watch get caveat spot plot miss much less project onto movie consequently may strong reaction movie first foremost unrelentingly dreary movie dull script could save could empathize movie phoenix kept telling run away quickly far possible obvious train wreck noted many provided reason keep kept watching various anything movie script comes across based upon another script story see adequately movie made jarring emotional behavior core three appropriate depth one would expect anyone much although script already us something clearly repeated gut reaction script us young subsidiary reaction much old also precursor reason story comes across puppy love infatuation early teen slightly older pretty girl league way oblivious going rather mean spirited appropriate teenage character older shaw unattractive socially awkward girl seemingly self esteem desperate anyone pay attention thus willing settle characterize thus way line want lot want supposed mentally ill remember movie specific clinical depression bipolar disorder manic depressive close suffering come close seen told thus behavior came across simply unlikeable person know people may affect perception movie phoenix performance place bipolar sense example times comes across mentally related emotionally decidedly normal help wondering much intentional performance much precursor bizarre appearance sorry tonight appearance said performance art movie still assessment performance two chose stunt supposed movie suggestive shaw long tradition beautiful play script unattractive line us know comes much late movie willing suspension disbelief note pretty beauty dramatically shift audience choice competitor saw none pushing together going along totally unreceptive relationship little occasionally available attentive beautiful girl woman impossible see character attraction either boss affair charm many given chance seen behavior non stop alarm however transfer persona example vestige story script derived boss tell comes money nothing understanding character problem casting would wasp much less one background choose live community different culture beach predominantly dreary apartment living unseen father see apparently bad lie presumably would even less likely make choice sort sloppy disregard script goes unnoticed many even sat entire movie first minute last wishing would end least something would happen anything awful supremely awful phoenix painfully bad better wow cannot believe watched utter nonsense terrible terrible advice keep looking definitely different way spend time mi sie od ich phoenix jest w w sie z sie w z w sie shaw po prob jo jo ale film po w na gamy od prob jest phoenix sie na bo w w two gra jest ten film hotel detective strange story line sure really even understand love phoenix much matter enjoy watching matter bother movie slow really much substance even know say conscious watching movie wondering get better end movie work opening movie fine depressed young man phoenix back helping business depression result broken engagement one genetic testing fiance carried gene birth defect woman broke engagement river lame attempt suicide scene movie really goes self absorbed disheveled aimless would either beautiful employed interested getting know attractive intelligent witty interesting next thing struck implausible one would blurt first time went group people affair married man disappointed would leave wife tired cliche interest dinner believe gone perhaps days suicide dressing going dinner fine restaurant neighbor lover partner law firm works would dinner neighbor also puzzle morning know lover really one day groan want spent watching film back nothing special one dull movie phoenix good job depressed grown man living role believable maybe movie substance barely worth rental fee personally love two cover movie dramatic way much taste ended leaving background noise twice work see majority dry great story line carry story line make five star movie bad insipid movie recipe bring power house phoenix dull script full even worthy movie week throw bland lackluster direction design dark set wear dark clothes shoot film little light steer luke warm movie exciting watching drip coffee maker fill pot one script written funded artist agree distributed watch someone decency pull plug long really boring give review movie even terrible boringly predictable unbelievable time mentally emotionally flawed interesting kind way think good prime something like default acting fine whole time watching movie disgust woman life let say time choose relive review may contain reading positive two would think new streetcar desire well akin old chestnut starring character supposedly last role phoenix fairly recently retirement like lived home mother apartment beach way butcher pretty much low key nice much past medication breakup forced break learned couple could incompatible genetic profile gotten bad see ocean trying kill beginning movie saved good apartment soon learn works father dry cleaning business talented amateur photographer two soon appear scene complicate life first neighbor building affair married attorney work decide whether continue relationship meet attorney advise eventually deathly sick hospital discovered miscarriage attorney callously visit height crisis going go san relationship shaw daughter another dry cleaner merge business father nondescript nice girl sort female seem meet right guy meet inexplicably short time lonely couple hopped bed together become attorney shaw little screen time character pretty much cipher relationship quickly two lonely people never really could simply weak plot device order set internal conflict forced choose two decision chuck everything run high point melodrama whether anyone real life would actually thing highly questionable expect support san one marketable true life decision run back attorney break wife move well end well new year party back apartment engagement ring bought instead character question smitten would ever consider getting involved physically year old guy still home far attractive hard falling polar buy either also unusually passive mother fly coop sabotage business arrangement husband prospective father law nary peep mother door two nicely mildly hold interest problem sad much ego usually make make good drama successful feature core like quote fellow poster put better film growing weary dreariness bleakness social awkwardness depth genius really movie two involved man completely depth believability barely try role easy dull script think worthy either woman plus extremely boring like one funny quirky inside actually retarded fell way easy sex without ever whole conversation whole movie chalk full emotionally disturbed people needy jump first person interest could better script written better tried pretend make successful movie would seem impossible cast two great end monotonous movie somehow director done two film fanatic film maker reviewer weak story watched another hour two us take abandoned give two rather one phoenix incredibly talented material work although somewhat impressive hard understand narrative fully benefit would rank worst quality item ever believe actually note even worth poor dictation still background music backwoods migrant took top waste time money watched thought would try bad idea term science name documentary misnomer scientific logical mostly propaganda particular teaching school resort say bad certainly riveting interested new age eastern philosophy practice one like many bit flaky side love seen people gong standing chest deep water though waste time real entertainment long film people dancing chanting fast know anything even fitness club style instructor form video terrible guess long getting good workout get someone inexperienced video workout little think would good workout beginner reading excited try workout video production poor however long workout good wear heart rate monitor also burned trouble getting heart rate even break sweat routine halfway finished might consider routine body alternative use daily source disappointed thought give try got many good free watch prime instant video extremely disappointed quality video mean shockingly badly made background tacky photography hung often see due sloppy camera whatever fake could find whatever office building video sound equipment frequently hanging picture sloppy instructor wearing mike obviously prop audio difficult hear ambient noise room really biggest production issue extremely hard understand instructor saying follow along workout unimpressive way long one side switching speech unclear instruction mediocre made half way shutting hour waste quality poor prime instant video watch free time waste maybe give try several good obviously people like spend money video get many professional well made fitness price actually get money worth hardly think people made spent certainly either felt like bad dancing workout real workout much music dance far workout go incredibly boring energy first billy definitely even close boring hard hear saying since music voice good ting free quality workout good unprofessional audio horrible recommend workout anyone decent workout work great sweat problem video production leader almost impossible hear workout terrible echo room one randomly yelling sequence real time thing got class leader different behind besides extra little workout buy unless least sound video poorly shot way close watched many workout home top name video even get past first couple warm due poor aesthetics want try finish like would see time intense enough worked sweat turned yoga maybe added would feel effective first find instructor nice routine good especially beginner however instructor softly cannot properly hear music background really follow prepare watch see result instruction regarding form completely missing factor gave glad able use prime first would really disappointed workout really cheaply made even though wearing whole time still hardly hear entrance video weird know nothing workout stuff awkward body done never problem people seem like workout cheaply made one money might better spent different one bad production bad sound boring routine way get decent workout always know read information item face many us stupid enough think could watch let face actually works front computer well wasted movie thought yet even get wow kind business really angry think bait switch lame fighting worth time watching seen better outside bar boxing ring bad idea except maybe last compare current pride tell really good display disappointing really disappointed funny mildly humorous whole thing love comedy disappointed first exhaustive documentary euthanasia short might well commercial except worth rental save money basically people disabled health care euthanasia suicide debate matter since decided since suicide euthanasia probably average something would choose one else given feature anyone opposing view delve near death illness disability subjective experience quality life entire argument comes across even arrogant assertion people autonomy comes intimate personal life death fact basically say anyone differently something wrong say would recommend film subject really explore simply insist point view point view euthanasia suicide wrong period end discussion hardly philosophical intense issue really curious wait til free would like begin pro compassion mean suffer someone etymology word necessarily anything modern meaning case especially suffering sentient actually sufficient would even aspirin world today emotional documentary rely ad opposing dying love cite coming suicidal good mean everyone else forced die naturally ease pain rate pain moderate severe hospice right claim compassionate high ground recent shift towards secular language dying pretense entirely one well fed pompous individual salt light everyone suffer die naturally largess flock personally revolting callous arrogant part documentary suffering analgesia case dying carry weight oppose patient autonomy end life need present case everyone forced die naturally emotional may pull eschew elect natural exit logically extend natural death everyone else secular case would prevent abuse quite difficult justify especially since peer show totalitarian dying loophole substantial enough fly us military air force course doctrine double effect terminal sedation could easier abuse double effect completely patient comes end life care would rather die victim random back alley stabbing go hospice least would pain free death made ago great would simply version learn little video something teach potty training simple sit stay also video teach break dog biting barking well lead training little essentially one classes great many ago better decided stream video puppy training classic disappointing give training fan quite disappointed video hope revision forthcoming video one puppy kindergarten class session start finish nice job however background information given regarding old e acceptable age range puppy kindergarten also hoped footage shy puppy would handled rowdy bullying puppy would handled seen brief web site see demonstration action class setting video ended reaction pity made opportunity instruct puppy kindergarten classes disappointed short low production value thought wax awesome series looking decent documentary early church development catholicism indoctrination video got part video narrator rise history rather god plan mankind anyway looking first hint series going barely brief overview summary fact cover middle addition general personally think information provided series really going get anything already know aside bit selectively certain key skipping key notice outrageous though exactly agree take quite suggestion skip unfortunately want good source history going read review know good history thought going history like sermon looking historical background thought gotten beyond ken work material good basically video guy giving lecture boring slow much camera time narrator outdated format would like refund trailer view detail visual textual furniture description basic could much considering length make one since read b mathematics electronics animation something like temple glad rented instead disappointing attempt show little long winded know bunch short really like documentary something along bar history channel national geographic something along even meet really touch upon show anything find search documentary detailed would recommend history channel documentary series instead got instant video well instant video always state pro never worry movie getting never replace always access long log go business con instant get would disc bonus although sort documentary expect extra material anyway something consider classic like love lucy would probably want extra bonus comes disc besides another con instant video allow subtitle audio change waste time vision video science sheep clothing look list vision video find fundamentalist point view trying suck pseudo science inflated terminology twaddle claptrap creationist agenda yeah right worthless unsupported unsubstantiated unscientific drivel high school student pick apart fallacy ridden mire bother junk heavily theistic dogmatic cower vast mountain peer tested empirical evidence evolution natural sexual selection scientific theory yes repeat everybody rich movie trying show obviously propaganda try compare flick less known period black black men survive practice profession understandable short black realistic last mistress fantasy never really sexy anyway like drug addict least usual type nonsense sex like fantasy never see something remember unlike black men see care rich people life connection waste money love historical especially based th th however get care main character ugly lover especially like gross nature two taking th century elite society married aristocrat gambling ugly ladies man marry wealthy family stop watching duel gigolo mistress husband ugly yet still order husband fight hysterically top injured man licking wound yuck disappointing female lead acting done ugly lover act way paper bag watched film friend great clearly differ huge way slow moving boring story opinion basic premise woman mid involved affair slightly younger man getting shafted younger girl yes couple involved history honestly movie gave headache literally agree first reviewer film point could wrapped far less time hour fifty five fear sex tame comparison racy film like focus actor actual plot personal opinion movie make awkward movie little way character development film nothing historicize toward sex keep express going bare minimum result film manner nothing question otherwise qualify looking period occasional scene without period better lovely miss handsome ait movie beginning ending threw like heck put movie watch list seen yet believe like movie ashes flaming passion always chance fire happy ending true message infidelity worst good body story glad pay watch prime subscription usually love could get one good thing free w prime lead actress revolting lead actor unsympathetic pointless pointless total waste time kept would improve even sex big yawn pointless one word essence movie story slow uninteresting fan cinema period found movie disappointing scenery cinematography opinion acting two central limited range movie fall flat movie around telling love hate relationship man nobility courtesan relationship around male lead comes across superficial female lead limited character development one emotion angry opinion even though two physically beautiful supposed obsessive attraction feel chemistry supporting superb job convincing perhaps guessing end make far many said story unfold slowly although may like movie like foreign period dialogue driven fan movie may movie however looking something fast paced plot driven offended nudity truly movie fan costume love empathize stuck miserable struggle pushing hill watch fall least trying progress caught drama care wife intent making everyone around miserable attractive woman also could grandmother love granddaughter much said sit mildly listening man talk betrayal even th century implausible giving two language used film beautiful see chemistry two seem real worth watching much better title interested possibility winning might actually based turns biggest phony well last like utter whole thing joke personality ridiculously transparent set year old could behavior often behavior taken context glad watch hostess possibly biggest phony idiot bunch go supposedly kind behavior either dreadful actress embarrassed involved least seem phony awful see reduced involved sort drivel mean great intellect far know would nice remember pretty fresh faced model need money judge smart involved yet another case people willing anything celebrity embarrassing waste time contrary description cinematography good acting terrible plot line adolescent joke waste time movie eve st day looking edification preparation morrow release date likely rather stated little description movie first devoted modern raucous hedonistic saint day without explanation introduction piece apostle finally got around saint much fact saint lost time movie related much legend mythology anything else one priest another speaking academic perspective detached rather religious persuasive presentation without much theology little history quite lot speculation movie could shorter could much better yet regret video st another country never st anything st stopped figured wrong film attached title long since watched sam watching brand humor outmoded funny people show know communicate ghost must touch nature meditation one way communicate ask let us know bunch idiotic frat said hey make money staging ghost cannot prove spirit world subconscious natural gift negative energy watching show seem amateurish make go corporate media trash make buck taking advantage spirit world disrespectful know review going due honest review bad enough media u cannot believe anything see hear overall show entertainment worthy unsolved u gift u make public world work remember tarot reader point exactly gold box sure rip us yesterday plus shipping even later regular price less gold box really bad omen cannot cancel order since shipment cannot return policy even yes return pay return angry long time purchase gold box seem really watched something little funny chasing mysterious black figure wearing tennis come going pull one pull piss poor attempt like though swell whole series interesting idea bring demonologist along especially one either priest academic really wonder psychic stuff really giving cool like demonologist someone questionable academic simple yet catchy title ghost like show would extremely interesting topic group way portray anything interesting lead spend time becoming paying attention ghostly environment day ghost night leave taste mouth reminiscent super difficult become spooky possibly get something middle night cut shot roto rooter plumbing truck broad daylight way kill momentum psychics equipment incapable paranormal leave ghost lots learn scientifically tangibly investigate short cannot begin prove paranormal something considered paranormal two show poorly terribly kind none formal study tend taps formal experience poor laughable like group frat got together garland barn w make show mentality good know stuff deserving better production team keep rolling immature fighting annoying credibility fast lead investigator need anger therapist ever want work guy even get work guy much bad energy around merely inviting home devil classic format production team show potential cast get along possible husband love paranormal bought following series bundle discount disappointed season waist money one lead real jerk show always getting another employee name continually front unprofessional personality totally show mention never find activity go recommend ordered set many initial th release date patiently get took given demand item finally get open disc comes flying mention beyond belief livid say least customer service received today near ecstatic open dying finally watch long disc came flying mention well point simply given getting item undamaged settled mere less damage ludicrous thankfully go around product watch come one really let time really hard ask undamaged goods said season set great actually get copy shipped able watched skip every disappointment could let cat play hour less scratches door sincerely disgusted ghost someone paranormal say kudos paranormal show bit disappointed yes exciting enough real production commercially based media source would skeptical give reason also way taps much drama shown though toned later somewhat also good start scientifically prove disprove paranormal activity taps well ghost hunting could use real scientific research course scientific also taps people profile paranormal investigation glory one wonder go port pod two could want additionally sure actually measure paranormal activity finally quality product swell missing non existent think hastily thrown together make quick buck ghost channel founder grant founder amy investigator historical researcher investigator tech manager investigator tango investigator popular paranormal tell mostly due marketing point view everything wrong possibly investigation although many may find program entertaining paranormal investigation point view little done correctly taps atlantic paranormal society bring large camera production crew along film crew time cast rather location looking evidence taps team surprising amount time equipment time talking opinion less people involved investigation less chance contamination evidence mention fact area investigation team talking entire time chance actually catching anything audio video greatly reduced lot spirit would go way avoid lot people involved paranormal ghost hunting note taps large organization satellite world according taps taps colorado michigan new jersey new new york north island south south brazil canada new united kingdom actually rare occurrence one carrying night vision seem mostly walk around dark talk trained usually carry digital voice recorder led flashlight occasionally detector since navigate zero light led display still little confused taps actually walk around without falling bumping often probably interesting aspect show although fair many times carrying led flashlight piece equipment pay close attention show notice broken several mostly due lack evidence trying fill hour time make entire episode several show little time spent actual investigation many times program start poorly produced scene grant supposedly job roto rooter working water heater magically get call news exciting new investigation opportunity know paying hour two unclog deep sink prefer taking personal mere fact obviously staged film crew location day day plumbing work little credibility show tone production start generally next scene taps headquarters case detail oddly enough always agree like fantastic case jump board although complete lack anything enthusiasm cut taps multiple panel en route location usually point grant via talkie yet go case playful back forth banter another show wasted going information already mention would also related rest team prior investigation running investigation team realize big deal save enough money purchase another used fleet model jet black team side warning sign production precedence content slam taps since people would tell channel thanks thanks comes free another indicator ordinary run mill garage simply desire find speak large company without going opinion personally would rather watch grass team equipment able piece together corporate machine problem many paranormal state group college thermal camera anywhere another red flag aspect show pay close attention grant neither past experience history got interested paranormal begin really exude desire understand truly going seem treat entire process business aspect exude little emotion enthusiasm investigation grant actually personality ago seem uninterested entire process maybe reason show popular fact program actual investigation paranormal goal episode towards simply gathering evidence objective arrive scene investigation grant conduct walk location owner person charge pretty much portion show correctly although always comes across feeling rushed like simply going next another long drawn segment equipment set get see taps unload supposedly set investigation proof gut unload equipment camera crew production team actual setting equipment team screen static camera angle set really necessary since activity made clear walk time filler anything else next get pleasure hearing going get actually see team turning light enhanced outside building get experience like light turned point realize much filler program actual investigation generally count several following happening regardless time year temperature wear tank top tight fitting shirt tango grant well amy usually team head different film start talking rest investigation point opportunity either sit chair lie bed investigate never met bed like also shy least wrap client even state something effect lying daughter bed floor quite possibly part entire series talking camera follow around little surrounding area lucky conduct investigation wearing flip long shorts tango definitely wearing hat circa sport baseball cap regardless level activity grant come every possible explanation paranormal every time phrase cut studio cut scene grant explaining th time exactly done apparently people interested paranormal set aside hour watch show clue talking wear corrective working complete total darkness always radio team middle investigation time wrap apparently either allow large crew break abundance equipment spent half day setting go bed exhausted half asleep every many miss investigation due illness injury family member tango appear lost confused way accept like good little soldier physically see tuck tail talking shown gratuitous footage team turning back rolling cable equipment back really excuse cutting investigation short think go time effort investigation wrapping early little sense generally comes across simply tired exciting part program evidence even partial evening investigating case taps produce audio video data every camera rolling every digital audio recorder gone real time mundane time consuming portion investigation whatever reason tango almost always job alone think ever seen grant play part aspect investigation process may wrong however place bet would guess tango pour audio video without aid non team tango shown sitting front basic montage broken every often one say name removing watch listen anomaly nine times ten tango evidence dismiss evidence tango agree something happening viewer never see hear looking back reveal ah reveal grant sit large table monitor one end client across exchange awkward evidence lack thereof since investigation camera crew team talking usually little go aside couple possible maybe something video personal pretty much every reveal nothing specific certain team experienced something feeling cut chatter reduced size film crew say zero member carried camera amount evidence would greatly increase cut end program always grant driving away reveal mutter stumble uneventful mean exciting investigation think client satisfied took evidence well show extremely awkward fist bump carried two middle aged white trying look hip bottom line ghost entertainment value suppose really pay attention break notice waste lot time cut short show production looking good understand interested good show pay show far polished event free taste watch paranormal simply entertainment decent choice interested actual finding real evidence probably give pass got paranormal state told best feed addiction paranormal stuff watched first disc one sitting horrible got maybe decent nothing else know disprove everything honestly may better fake little something make interesting also like amateur walking around camera constant unsteady movement headache paranormal investigating way much absolutely horrible paranormal state water skilled fancy paranormal formal training kind worth equipment ghost enter way see grasp attempt make interesting television show never goods something wrong listening unintelligent argue cold spot room show would better weird n j creative team old messing around way wrestling terrible would recommend worst enemy daughter said boring weird enjoy singing done may enjoy cute tend watch lot type show plain interested sorry nothing say get making movie could see best create character especially one usual film noir fare allow much room given fact terry character constantly besieging plain scene like ford professor kept getting way blunt thought poor choice movie overstatement earnestness effort believe rapport supposed ford character genuine wonderful like mating ford like trying make best script serve well also hard time liking character terry fourteen next ford dignified professor seeing younger though shame wasnt film longer think gave grounding terry like movie slog way order enjoy could ford performance shame house obsession disappearance clinic stupid pi plot sparse chase sub par writing season would never purchase season year would like see recent departure shaking finding way bring chase back foreground due actor another career house broken sincerely hope fix one revision wrote prior last two season nothing else worth watching season also use love house disappointed start bias agenda driven writing confirmed saw yes poster background one last season fell love show detective work logic used solve puzzle week another vehicle left sorry done house let talk two different review part main reason gave bad score product series series people make one stupid ever seen someone season five would put first actually second thing see trailer sixth season trailer cannot skip function available time actually spoil fifth season outside country time season airing saw two know much going happen season kind lost interest really disappointed product respect series idea close end may wrong turned weird sudden want spoil yet seen definitely weird die hard fan first four one much already produced sixth season unless way better fifth think seventh love show house said however also sold upgrade pitch know regular play fine machine simply refuse shell money anything machine rather wait occasional rerun buy substitute expect make available get money imagine anyone thinking season anything disaster old team new team writing circling drain house get shock value rather good plot bad guess went one season long bought season gift recipient unable watch kept freezing return item get refund ordered house season five sept corset informed order shipped sept still receive order would take month deliver disappointing would credit credit card shown yet hopefully next statement product scratches case broken wrong sleeve sup like new used work house divided one better season also state show like new character centric new team reduced focus medicine like long return formulaic albeit humble opinion better season mid season episode format medicine role show play superb house really linchpin show point handful among best series produced namely last resort unfaithful side house divided skin house subconscious amber making life living hell end season welcome twist seem determined force us like new team whether want see lucky thirteen kitty suicide done merely many said create special episode first season temporarily pi incredibly painful among worst medicine entire series feel cuddy maternal instinct entire story arc long good early house infinitely better nobody scored speak always tension house cuddy chase one night stand season get idea foreman thirteen chase really drag saying house shark certainly appreciate tried something new season unfortunately say worked terribly well house show opportunity focus house character development whether chase allow keep dead husband sperm sample actual story arc season personal recommendation house new direction least half feel free pick season otherwise recommend individual unbox similar service support think problem season detective plot motherhood chief think certain continuous exhausting plot dating men sleeping dying living hear really season interesting house serious funny entertaining interested complete series loyalty solely weight previous house well worth watching hilarity mystery medical drama one thought impossible boring show like anatomy house thought mind poor plot pathetic hopeless unlikeable team show bring back old team worth money maybe worth bought house season gift family member package came undamaged unopened th skip repeatedly tried different ray without success look like heat damage something else wrong love show quality received horrible weird medical twist house day watch episode fundamentally great medically people fascination weird prognosis slam actor get contract real acting would good believable series wasting talent buy first rent th season good terrible quality fine like show many fine item gotten mentalist show much top reading ability main character needs figure plot like succession actual plot find main character annoying rivalry main character natural untrained character trite course personal preference looking fan mentalist may want watch episode full season every episode similar another minor hard watch idea interesting main character uneducated promiscuous alcoholic abusive father sister jail none seen guess assuming disgusting able play computer even adobe know able play bought past always well subject matter may interesting watch people acting saying moving way director told move also predictable like actor series character engaging someone nothing connect human level warmth even cold humor missing something entire season one disc running time thanks especially care much guy weird head bent close people imagine person earth could act usually guy face watch nothing else watch waiting next season like like lady works lie detector watch first season saw main character later ruined show main character monk quirky main character quirky unlikeable try make ladies man show concept interesting main character ruined good show acting fine intriguing percent episode writing really lazy watching first two make want keep watching certainly way watching first two good wife think series brought anything new table except exceptionally large number close people facial new seen male lead kind brooding arrogant closed individual according think rust true detective bosch sherlock course much interesting presence screen cal lightman side intriguing likable fact pretty predictable way acquired employee ria agent silly ridiculous going watching series lying interesting limited topic first thanks show old quick every show ever seen catch liar lied really trouble sleeping play set mainly pilot although idea good series mercilessly spoiled got pilot decided give try next absolute waste time acting bad unconvincing totally positive note bad find irksome program lying life intentional sad portray bunch frothing program would case point would make least attempt get straight nearly million people clearly done shame since fact lie everyone program credibility hoped gain many finished episode season decided sell able find decent acting besides female bad cuddy house besides personal assistant look alike nothing table like either fell victim page item like though happy hopefully money glad sold write minimize program morally offensive many could good program would left morally offensive title building bow lot work done style longbow little information bow production glad rent purchase better building style bow would recommend video anyone serious building bow example given poor representation tillering sequence leaves much desired waste money video nothing celiac disease celiac video shown celiac total waste money time celiac anywhere video cute descriptive show cavalier king spaniel instead got quick synopsis half hour ghost story cavalier apparently house one disappointed want learn cavalier concise well done show see dogs episode cavalier episode television hour long episode featured warm segment segment aerobic segment second segment segment episode dropping aerobic second segment view extreme though able version though top bottom video cut mean top image bottom appear cut big problem almost humorous count three like c video also burly product audio though much product need get computer work well slow reaction time also price great possibly worse episode image video portion version poor pathetically poor like hard believe deal ever made amazing company would sign show displayed way mess know make way someone really screwed whatever tried get refund keep giving runaround submit lengthy information computer stuff refer another department seem get product page checked season everyone watch always crap poor quality honestly waste time watching video poor free let alone paying end paying much much way much rational person keep trying get refund extremely unsatisfied hope goes well seen lot documentary footage works part plus fabulous impossible watch camera technique jerk camera around much hard great canned footage deserve better effort much war exact footage video quality bad recommend video need removed quality still lecture gave lot good information history really audio lecture still version usual hilarity basically boring remember laughing fact think able finish video musical version great b reefer madness movie musical reefer madness movie musical b entertaining somewhat informative seen better think background history complete similar note mike nelson solo without variation difficult sit also many really trivia film laugh load afraid close normal quality unable apple device get technical support experience recommend holy crap sit sixteen garbage nelson give guy days making fun want riff film start looking forward hearing comment old favorite mike nelson although love usually find hilarious really needs bill help fill awkward work well together version night living dead terrible subtle bad colorization know used version annoying mike kept throwing little known easily mike nelson funny sure without bounce one another think story good neither acting matter fact thought stunk pathetic vile immoral truly depraved need find anything like entertaining lousy movie worth watching recommend anybody probably system long time resident appreciate banality stupidity making film pornographer genius largely mash film clips underlying theme pretentious sorry watched whole movie hopeful would eventually get see humor took way long tell bad joke movie read rating many may like watch reading movie even little also acting bad never got awful think weird artistic movie really painful watch could even finish movie decided watch move reading good came move good based something artistic pubic hare screen fact story flat un interesting bad bad sense humor whatsoever naked add anything boring movie bad taste best part movie best cameraman work opening sequence title slow finish may complete need better reviewer bad one bad story line poor acting amateur movie loser high school project good watched short time could get movie well really know expect decided watch movie watch min guess could worse noticeably low budget although story different entertaining lame acting bad plot worse plain bad strange slow hard keep attention watch cup tea lucky free membership usually patient one slow often enjoy beat weird none could make care story worth time watch review want hear requirement even watch saying guy genius moron poor taste complete copy home centered solely complete horrible unfunny groaner ala bob unfortunately show concept far outrun available content enough make whole show episode watched funny clips whole show rest stuff see everyday pet stuff like dog cat together calamity like total wipe tipped aquarium make funny pay rent would tried approach web series open mind despite said even watched multiple ensure getting good sample size make laugh series go ahead critique properly unfortunately show impress fell quite short start put smile face whereas vast majority made cringe awkwardness think sense humor way fan many different comedy observational dark one line punch think lack skill see cheesy unwitty simply awkward result fake forced poor contestant even blame premise show get try build humor make girl laugh lot time time like say whole web series still short time still put funny material appreciate first episode use good short joke two still show could much better comedian also introduction hard funny show would better producer stick useless like drunk high parole beneath contestant name sum say hot along really poorly thought awkward drama thought show really substance watch get better idea mean better yet go watch something else hope please let know section titillating sensationalize poor acting past entertainment cute occasionally funny wish could get refund movie free would like life back free video demand comedy however upon vulgar comedy content comedy make hot girl laugh series lost translation tried remove list keep getting could delete season season could time please try later result past several days every attempt remove also notice entire season free properly warning material content suitable immature hate mongering comedy hack people comedy trash guilty mark nearly demented hate monger nothing funny mention inappropriately stereo hate crime far know saw video thought like good video well bad choice get watch silly video worth watching make tube need like eleven five three win seriously funny concept exactly high art make hot girl laugh another way look hot funny either first much interesting watch good thing free got return anyway waste time spend much time mac barn place much background music interesting premise well executed examine history apple still besotted one interesting little documentary unfortunately mainly ruined deafeningly loud instant migraine thump often comes near saying one mac woman caravan like peaceful forest barely audible noise like party night local club lot bland computer regurgitate information commonly available media another example however said cannot said documentary welcome similar cast far interesting documentary history apple community surround celebration mac rather informative intuitive look culture nothing film informative got notion mac better religious like people would enjoy film mac culture simply understand care film content semi interesting think watch knock even fair interesting accurate follow cute good try though video titled episode untold navy military channel time language immoral chatter considered comedy today anyone make people laugh without vulgar early good clean humor people real talent fact even remember long ago got may even seen read whatever sampler rating could higher get recommend would ask refund free good short worth taking time watch bring something occupy watch two attention wish could say worse original mother raised tell truth pretty bad bad certain amount zest good humor bad horror flick fully patience climax film one yet seen ten times earnest say without irony refreshing see unintentionally awful horror going anywhere facet human existence always dear heart looking bad good horror flick material film deliver eventually sit fair amount tedium first long either bring enough knitting mind kind hand work drink enough good enjoy dick joke type comedy wow bad around bad writing bad acting top kind stuff never really landed movie came really like actually made real good actor actor anyone matter drake bell way people know drake n josh show whatever even seen saw little bit younger never stuck actual good movie college probably went party like movie ask older people college days describe movie made already late get wrong pretty good movie drunk tipsy get drunk yea perfect watched countless times drunk bootleg friend clear minded could discern weather good bad people drinking drunk drinking like automatically love want get wasted watch movie already drunk one however sober might like movie sober never pay price movie common sense watch movie sober night really come movie made still rent forever probably would watch year rip choose drink get drunk one night maybe strong maybe might rent one night wow amaze much rip people even order deliver threw mail stupid offense true hope someone decision purchase rent decide even touch movie better yet go purchase store less watch free know go yahoo review episode series video beginner banjo learn much lesson favorite alternate besides standard closed c position bridge play harmonics ensure uniform string tension frail lead toward teaching song miner night would recommend anyone learn technique video min long min good old days informative like bridge placement true hear teach much else like vibrating harmonics may interest people want fool around finally song night thing fast need use another program slow shown along chord nice overall worth maybe rest series slack really teach banjo waste money shame video great idea buy video taught much play air tap much better watching worst guitar instructional video ever seen huge rip tapping learn bought episode thinking would least see entire told since name video play boy wrong teach play finger used various song right hand left hand teaching main hand used important discover sound good extent teaching song could watch without explanation even close entire song screen without explanation whatsoever end video talking got guitar best video abruptly saying try reproduce waste money want money back wish could get money back preview piano thought going half hour instructional video instead get min overhead view sparse instruction laughing going think cool throw third second something else without even explaining much better explaining blues min video talking talking talking people lesson video considered chuck documentary movie tried tried hard like mystery science theater face simply funny could seem incredibly forced personally would rather watch movie judge rather sit lame call hater get people watch crap one movie seen different get might ask maybe need get high something mean show clearly goofy right would respond yes introduction movie even worse expect like bad even worse writing group love film like movie critic usually enjoy even worst least laughing one bad even finish believe someone movie made even funny skip even gang making fun movie whole time still lousy stand watch whole thing movie ever get made rex keep size drastically many times interrupt start movie would love watching old buffer every sign prime know deal disappointed stopped movie movie bad satellite love crew make vast bad movie bad movie worthy treatment seen movie ago horrible point make fun horrible watched st min time really much funny say movie saw long time ago broadcast television would rate original movie good movie great movie fi spoof interesting funny taken seriously version however annoying continual running ruined movie type never watch another could take great movie like star ruin literally force finish watching otherwise good movie gave thought fan show actually tried watching entire episode start finish opening skit much long skip past actual commentary funny worth finishing episode much fan mystery science theater always great laugh case underlying film neither good bad worth watch k sort show within show within movie format like review section episode movie mad scientist beautiful daughter revenge turning dim witted assistant monster basically plot every b movie nothing part movie done much better season episode k crew still trying find way lot great yes show masterpiece time overall die trying see episode movie rather bland flat opening short part commando space man serial favorite series one commando fortress could see would go week see next note originally posted everything movie bad acting story say enough bad really bad waste time unless big k buff even banter save one k air sadly without closed either inaudible make anything mike said back movie great hearing waste money realize format running commentary funny would recommend movie anyone like seen several done one bad funny entertaining really could handle plug bother going watch turned stupid show maybe following kind cartoon good movie period got pleasure watching perform banter theater really funny thing worth watching movie best effort ended turning end watch another one view ski bus trip lake placid obvious go back order waste money pull pants like early warren tasteful substance disappointed tried watching movie falling asleep even keep awake one worst k record horrible must acquired taste movie like many really bad simply bad boring bad faint hope may get better watched end still terrible story terrible terrible everything high concept year old sit though pretty bad son show like message animation amazing reason give season something like give call season season actually next season get wrong show great love together deal would love give show something far ass post star sorry stuff quality adolescent posting first attempt play guitar except stuff supposed teach play supposed actually pay cannot believe posted amateurish immature content something sale along like seen couple via spike way back cable ways die one think top head woman breast explode chest airplane would high rest people plane would lack oxygen drastically change shape even never ruptured let alone done explosively would buy watch computer spike v watch free buy dumb refuse pay full price series lot even menace better progression series people series try hard sabotage look series want see best want whole enchilada give good value money steady buyer like said title review worth whole lousy five dollar bill possibly one annoying seen based positive son realize anime type game son baby cute game turns cute large fine quite violent young must finish one another game also mean spirited whiny also appreciate gender stereotype lesson first episode season two learn bossy maternal lesson want son learn unfortunately theme gender series little sister little sister stone age wonder get back like movie turn street thug acting suppose would kind thing stand times would play computer really anything say program learned via ways series disappointing learning glad free watch waste time sorry even actual teacher show elsewhere avoid video guitar odd switch would st lesson seem like much help tuning would gave nice guess teaser free worth concept presentation supreme instructional signature play along guitar one missing every time copy want product music answer sound like original artist bought tab even back stage still something missing sound set get twang overdrive guitar sound like record well far know professional pay source past year searching get pro instruction without tube speech style excuse meant per math get ultimate nail song tee cost per signature lick book similar st season presentation fully better like fellow reviewer stated nobody clips especially want go song selection sparse right later surely go source top copy first word warning movie eve version product b ref os exactly movie guess someone decided repackage movie new release beyond low budget horror movie minimal blood minimal nudity great bad watch worse without question one worst ever seen life single saving grace cardboard acting ugly missing story line jump poor camera work make film bad lead actor also director short fat ugly parading around linen show ample gut female marginally although one bed sadly look much better clothes supposed kind mystery film seeing masked juggler five times exact thing waking exact moment press fast forward button many times need see juggler face almost two film never end real story telling could easily fifteen minute short film intrepid viewer sit lovely film spoil surprise end spent many interesting city beautiful streets people gorgeous male female city well movie wish egotistical use film instead chosen beautiful random person city film pitiful accent conversation lifeless film carried tradition lifeless film mature strong language woman shown fully nude bedroom scene would pity poor younger viewer watch film missing little bit watching show city summer colin firth better film still good film summer days intense film bit show much far best film shot days sure video helpful slow slow slow warning praying someone would stab put misery even video certain probably like review content consistent usually taught martial issue show little knowledge used combative stand stress testing e work determined aggressive opponent look good film get street general fine entertainment bother use training time hard come wasted get kick bad one among worst five ever bad story bad bad acting waste time know walter never directed another movie cast could good crime story competent director one ever saw one anything feel need say going movie badly could get beyond first would recommend anyone could make finish watching film glad pay money watch one worst movie slow boring great actress bad movie boring slow figure movie way early video audio real fan like non linear like make think sometimes like non conclusive outcome one everyone seen film opinion see different subtle happen film different use unexpected use make character something weird example sinister looking end know really threat main character paranoia use film unexpected may well blank script plot might well make entire thing improvisation build tension slow reveal done right turn boring slow attempt put one edge one seat often thank god fast forward film went beyond losing good acting always good see pitching craft nice cinematography want movie good looking main character tolerate horrible music total absence plot story line might want rent one otherwise look elsewhere plot woman seen family creepy music everything black white actually although may gray rainy backdrop anyway woman driving like car accident creepy music people movie heighten suspense horror aspect cheap like music people showing startle someone gore much get see dead man get see dead woman plastic bag bludgeoned death get see another woman shower brutally another woman fist first woman throat blood pouring everywhere gore weird music pretty much movie think art flick trying cute simple morale message know quiet achieve maybe giving much credit maybe stupid horror movie anyway waste time movie waste time slow moving action nothing special good thing free lust love knowing sex tape watching behavior reunion took opinion negative place seen show wander affect behavior family wooden weak uninspiring low production value limited appeal one terrible last week cold terrible either one comes poor technique balance within play throughout seen worse better course flaw hold single layer dual layer great quality video ever typically ridiculous overdone hour yes know could costly instructor assist something interested waste time would recommend anyone respect entertaining boxing respect watch whole video kept skipping like would good play beginning basic nothing technically wrong presentation find useful real explanation flow waste money lots type drill read martial thought might mean calisthenics rather martial hit fast forward button tang found instructor difficult understand actual assumed worked dog whisperer amateur video saying going walk without giving eye contact attention dog fed got worse want feed dogs get behave want know control yes may experienced trainer may learn specifically rented dog whisperer false advertising wonder sue gave documentary instead whole thing like historical propaganda program see someone actually training puppy seeing sitting chair talking thought video disappointed guess one dog whisperer lesson read everything better video rambling unfocused fiction exquisite movie present convincing magic prose instead see group unskilled silly rambling repetitive tiresome story line movie would interest conquest south documentary documentary demonic possession doctor afflicted previous statement completely redundant exorcist make found footage documentary style horror film work believable acting solid film achieve either plot dialogue portray traditional accepted exorcism material distinct lack commitment save lead actor psychiatrist quality another issue found footage story reporter investigating documentary shot film quality era assuming film much cleaner fast frank whole would better even though look music horrendous score akin late film poorly conversation warrant discordant lame attempt building tension toward lackluster conclusion overall story predictable monotonous jump scare two instead filled action top essentially flat would recommend movie worth charge theology study topic background music documentary away cheap horror music perhaps category type film blair witch project might work fit found non existent think film ought fall different category insightful catholic church exorcist arch bishop believe possession therefore appointment unique believe need type priest ever taken lightly think documentary misleading misleading ritual ceremony topic take lightly gravely disappointed much information misleading film allegedly wealthy orphan order find birth someone married holocaust survivor found interesting turn responsibility genocide head blame evidently motive production film footage henry dinner us support king dead rise rouge hoax generate conclusion remarkable sleight hand first give dead civil war p twice real figure second attribute civil war military civilian sides p truth minor factor third reduce toll rouge million p half actual number finally maintain starvation component toll must left us war p rouge policy whole population medicine food aid midst government famine doubtless unfairly holocaust exaggerate cost allied attribute starvation disease war get past politics film save fever sleep walking girl tour band singing alternative rock traditional think imperfect much better film funny show nearly many led believe thankfully checked local library money something would ever buy watch several main include following could care less despise rap music half mast pants funny entertaining fan give audio option worst swear however never religious exclamation find highly offensive show say numerous times per episode fan rap love mind sagging pants enjoy watching people waste time basically nothing useful probably love show think watching mary highlight movie though age difference leading man work plot bit downer complain little screen time actress unable get reply nothing else say get see grand canyon majority film al colorado river dialogue boring whole movie political speech anything else much could see opening scene shot grand canyon absolutely wonderful thought rest film would caliber far great positive side scenery beautiful without glasses turned seem like kind depth history doc looking written joss something rare day turn show especially one girl hot make past first show bad tried watch separate still acting writing horrible know get joss saw star add two try save anyone fence spending money poor excuse show think one way hence fact may two generous rating make sure aware watch without user kindle fire person pretty lame ask use make sure connection order watch episode episode good show amazing think happy nice wrap story guess make sure buy thinking find series clearly live quality present buffy angel even short lived firefly blame goes cannot carry show like may interesting idea acting execution often mediocre best dull begin describe show excitement plain show get ground made easier fox kill dollhouse boring terribly boring episode like one girl another person put danger handler save return dollhouse head brainless storytelling go ahead perfect something profound suggest look something else real sucker one get season certain show shield west wing mi plain sight rock nothing two days keep going episode episode absorbed world way television medium dollhouse many one striking generation joss whose buffy vampire slayer angel superb endless ambition excellent buffy angel back finding unable watch many one sitting dollhouse part boring boring show best various exalted let get good good surprising episode gray hour twisty spy house love gripping man street goods harry miracle amy acker superb memory stiff two matrix behind angel alias stalwart acker chameleon like ability adapt role miracle willow buffy self conscious sweet warm presence nicely affecting major sleeve alas got many wrong show please neither plain old general first overuse music show possibly music ever seen blindingly obvious literal relation underscore take away impact show rather helping title theme alone simple minded literal music thought two year point scene home one dimensional music science fiction show film make sociological statement best fi well treat like second always watchable even good faith buffy angel blazing passionate yet wise deeply engaging got lead calling show without cheesy still always funny interesting least half dollhouse ordinary soap general girlish pose time mouth half open trying inject soul character none dollhouse seem realize best dynamo like master thief gray hour instead usually saddle generic uninteresting ingenue character wretchedly natural energy forcing box worst light possible many important secondary embarrassing accent automatically make acting good leader clandestine operation like wear every inner secret sleeve like open book see one scene get everything fascination left painful watch character classic prototype brainy foot mouth young man without humour buffy effortless lazy charm woodward angel around thinking funny anything physical like junior cage would believable dogged agent obviously resemble well actor central conceit always going wrangle limitation supposed blank character also generate sympathy three scene people anyone fall asleep problem people encounter often uninteresting shallow hard care anything ghost target true believer especially painfully slow like unengaging unexciting unfunny comedy care people care plot attach saunders acker involved might interesting show juggle many bad secondary even sometimes story afterthought joss humour depth look character fabulous willow faith buffy angel show angel character worthy past show miracle character thematically speaking dollhouse nothing first season dark angel already done except dark angel far mature engaging interesting normally would blasted show two marathon set whole week still gnawing episode like much tough leather mouth stopping time struggling stay awake tremendously disappointing return television shockingly ordinary like overlong soap opera thrice diluted science fiction one die based wonder buffy though somewhat lesser degree angel tragedy cut prime beautifully increasing momentum much like dollhouse high even though well agree speak fair anything scale rating opinion believe stay away unless tolerate morbid interest watching show start slow begin wobble bent finally arbitrarily nudge grill first one set really care think able care either none signature humor face human condition character sympathy even empathy turning dime acting writing even situation episode formula enough carry interest viewer watch end want get personal even commentary jed wife smarmy insipid side apparently especially aware information side sad really phrase worth price maybe know plastic nice plastic gave star like especially scene person could make love girl friend hunt animal b e bow totally awful loser something better big fan firefly best series ever think desperate strung waste time money worst tripe ever seen life premise horrible acting moronic joss think crap something else go firefly fantastic series nonsense first three unwatchable asexual sex fantasy starring maybe worst actress working today long live buffy firefly two best ever thing abortion digital media first name action show dollhouse second start making dollhouse something good end something bad third almost side agent alpha creator know show show could worked dollhouse would evil good first everything quickly went hill disappointing given great potential chore cast initial story line like going restaurant getting good soup salad appetizer start terrible meal dessert finish creator put follow make work interesting concept unfortunately kind person continuity writing make believable see lot dollhouse series ultra secret organization people whoever afford e ultra rich organization dollhouse people rented people run dollhouse technology wipe someone personality basically individuality imprint tailor made character onto person different person someone might need hostage negotiator body guard perfect date perfect evening go various keeping close eye series one doll echo occasional previous original personality bubble surface increasing drama agent trying find dollhouse especially echo dollhouse aware several times throw trail series set intriguing original science fiction show back dollhouse first broadcast wife watched initial four five gave story writing surprisingly substandard joss production buffy angel firefly like dollhouse slam dunk somehow couple later chatter show really picked episode six quite good made mental note try someday finally rented recently set original un pilot also thirteenth episode never broadcast united well typical making bonus watching episode six kind show marginally better would go far call good lot subsequent like big obvious kept going excited actually surprising surprise twist episode eleven finally show gotten good episode twelve let everything turned good way eleven get reset normal twelve except frankly quite unbelievable guy sense whatsoever even low show unaired thirteenth episode set ten future post apocalyptic landscape group try find way safety stumble upon dollhouse find lot apocalypse dollhouse technology run amuck episode full flash seem like going story lot random stuff thrown little sense vague hope someday someone admit made something good yet hear admission joss commentary pilot episode mostly banter little substance episode thirteen provided commentary production went interesting since got simultaneously episode twelve think setting interesting also little panicked series would since week found show second season overall show pretty disappointing recommend tragic waist time almost certainly lost several watching show fact show earth less intelligent place mean really got bunch people mind central core story sleep around occasional fight brainless junk terminator far substantial show stayed series beginning first saw joss touch genius plot complex enough interesting way balancing edge good evil something went wrong like dollhouse wont spoiler like slavery black president series disappointing ending brought character series right front little future series hate still enough joss fan watch deserve work long time talented cant blame care show tried watch like first episode make sure first episode slow something way director producer made show make sense written good good actress really make sense story worse show seen long time horrible writing drag waste time money like said fan show absolute rubbish shallow episode exception agree everyone firefly buffy great show however bad watch give chance watched several first get make call skill yet seem get trouble every single time supposed believe damn handler supposed one kind unbearable watch high fan buffy angel firefly high well got lots scantily clad young chemistry endearing story girl nothing like parent worst nightmare care oh well sense tried really boring matter cute lost like watching lost catch craze recently got sane never seen anything boring watched entire first season never give series always finish well case turned colossal waste time easy satisfy comes watching one season couple one worst watched worst absolutely empty smart child primary school write better three zero three story line development disappointing coming writer supposedly good previously maybe somebody else team really deserved credit though main character perform best best limited character unrealistic first good actress although gorgeous buffy angel universe great character always little bit better around head show think everything simply first season border unwatchable favorite worst episode number like two concept show strange basically despicable even echo handler evil everyone right mine must intrinsically evil work like dollhouse heck dollhouse business even wolfram hart seem like genius guy coldly people attic everybody obnoxious working kind corporation exactly agent theoretically moral person show sake shocking plot twist nothing work dollhouse end season also usual talking alternative rock end episode photography time boring show first season miracle seeing series poor transfer ray showing outside look good within dollhouse dark look better overall colour brightness contrast dull also high definition good example show better ray cast like would take home bar close really hot smart interesting already left make worse simply act call wooden would insult coffee tables without pretty hair realize girl whose irritating personality erased sometimes people somehow irritating still acting like phonetically language quite understand broken jaw even worse exactly regardless personality brilliant sticking glasses make seem smart like go stick giant hat donkey amusing donkey still donkey stupid hat regardless even lead actress terrible show would still suck myriad ways dialogue stilted generally idiotic boring even get lame plot daughter powerful millionaire hire expert hostage hire highly trained paramilitary team comprised ex special know simply pay ransom get daughter back go creepy underground fi escort agency hire girl whose experience non existent rather illusion grounded oh know experience illusion absolutely faith would use anyway heck dollhouse thus reverend sparkly typically drawn science fiction joss firefly paradoxical portrayal generally good brilliantly witty entirely realistic dialogue lightly humorous tone series made reliance overdubbed fist awkward dialogue dubious plot seem like charming design script assumed could wrong read number glowing dollhouse bought entire first season way every episode eventually achieve critical suspension disbelief least find reign emotionally end felt like waste time principle like idea complex readily good bad found misguided socially inept fairly compelling also understandable echo design episode overall lack protagonist agent example far less compelling brain made nearly impossible emotionally connect plot development fair realistic dialogue character development never hallmark fi always remember ford famously telling real person would actually say written han solo script unlike firefly series dollhouse even offer memorable dialogue season culminate burned house watched couple castle confusingly wit firefly star actor later castle science ethical raised dollhouse concept could well made compelling series serious tone certainly appropriate historical depth added example alpha brief allusion violence consistently top violence cheap cinematic substitute real suspense surplus predictable formulae e g getting right spot catch echo degree pipe swing alpha undermine real dramatic build summary work review system joke set even let people review even even season finished item available able take time watch special write valid honest review advertisement like bogus show horribly boring sure hot strong enough actress lead role nope really disappointing stuff show biggest disappointment seen let us begin first shallow boring uninteresting main character potential love interest example nothing compulsive need cook food theme show even show performance actually become interesting never look vase way mythological arch however coming victor example simply terrific quite well acting miss two left season one whole get omega omega point show shark completely totally plot pervious causing pervious well half taken cast longer make sense acting completely contrary pervious smart people begin acting dumb dirt incompetent sudden brilliant cool calculating become unstable raging previously even spent whole episode exploring seen crazy idea would never even consider show building spit give one example stupidity seen omega end dollhouse sworn enemy great expense need first thing forget premise one build demand real people need hire outside security secondly series seen one skill butt kicking close integrate goes criminal unprepared got anywhere investigation fed big major insight omega alpha dollhouse get idea wait decided picked something file idea look file highly advanced criminal organization needs give grounding breaking used store useful information contain useful information making series one complete self destruction omega skip omega give season tolerate acting help find helpful network fox back yawn fest program show enough trying waste time bore us death nights steady series worst ever network done season bet along ridiculous plan comedy action drama rather sticking terminator instead plan rack much streaming kill dull house production monkey suit would cut low much like dumb today perfect went line prove slow common sense movie terminator salvation could provided support network blind fat leading soon new network worse little office going around praising check new pathetic fall schedule soon match poorly go along hack go us high scotch around bottom line went along low quality show inexpensively made sheep mark network dead us idol house got keeping network alive sad television make show sex slavery boring yes thats right show sex erased remember terrible make oh wait get wear cute clothes finale eye roll factor due horrific dialogue first time actor class dialogue alpha echo episode worst ever firefly show true disappointment avoid great television recommend season terminator watch show pass first interesting exciting horrible acting boring irrelevant plot make quit worst thing josh ever made mediocre bad situation want set season watch home player order season mall use watching season watching order confirmed coach j worthless tool chick unless massive role someone ass show completely unwarranted perennial fan si swimsuit issue sorry report issue worth cover shot good best photo entire magazine going si going budget crunch getting top sizzle adventure want good bikini mag get maxim would like see older mac stream old system incompatible latest flash run older proprietary media player works mention proprietary player first place even want third party garbage computer pretty depth program maybe high boring really boring totally boring absolutely boring look window boring really really really really boring coffee bar interested seeing coffee across country internationally discover coffee culture film almost none maybe coffee two even open plain bad boring thing interesting least according former acquaintance method training really core lateral good training competitive first one even finish watching one thought movie plain stupid entire family movie waxwork disappointing sequel waxwork waxwork use eerie format museum curious people walking different wax closer look made waxwork awesome real life could lose life museum stuck another time wax think magic lost waxwork good news good gore plenty action bad news plot cohesiveness basically going scene halfway ready done got boring really didnt point fan goofy believe character husband weak anything slob really worth watching unless boozy woozy state nothing except giving something follow help distract little best obliterate mind first place movie bad would advise watch impact except tell uncertain movie bad boring vacuous badly put together mechanically disc appear half way movie beginning even choose scene cannot view anything past point movie two please dont commit mistake crap awful picture quality contrast add movie sides disc movie worth watching even attention defective many people noted sure stop selling completely midway movie tried different result horrible movie forgettable interpretation decent book fan film worth especially since turn halfway movie mean c mon fit classic like single side disc nearly hour epic movie minus two sided disc never store bought full movie one side movie turn hour order see rest show ever nowhere box say anything especially nowhere say line order highly upset totally disappointed like watch go bed definitely feel like getting turning movie whole idea movie enjoy without interruption choose recommend movie disappointed could get video play way stopped would advance next received defective also defective maybe something cost think twice buy movie pack incomplete stopped half way movie film good mystery drama movie cut suddenly realize must remove disc turn insert kind crazy like strange intermission world thought appropriate sell one must flip watch way bought first half movie like idiot bought another damn thing screw shame screw twice shame buy nothing till fixed way movie tried different result book much better many course get would series cant rate movie sent return twice need check inventory half movie play disappointing gift bummer sender fault totally send back time return even open couple figured would work way quit defective disc saw tube pretty boring usual conspiracy type plot bad corporation good citizen nature ironically conserve nature nothing else human form trump shame good disc kind bought twice mart take back twice would stop middle movie look disc like boot leg disc swapping twice mart decided would safe order case looking disc stopped place two mart anything front disc except small around hole pelican brief picture anything else disc love shopping first time ever disappointed never write review time felt know general visual quality fine problem chapter play completely stopped go scene selection start left stopped returned got replacement replacement thing defective ran chapter returned second refund husband read book together wait watch film maybe either watch read story give much detail beef disc halfway movie need flip watch half disc fit entire movie one side fairly substantial movie collection issue recommend avoid buy elsewhere speedy delivery typical great otherwise love movie able watch occasionally defective turns player tried going scene past one option scene last scene allow choose know go getting refund want spend money sending back hassle bummer first defective item received like movie least part movie first movie disc second one ordered disc full movie might something wrong whole batch movie disappointed first thought faulty normal disc movie side second half side turn side watch beginning movie age warner needs step format movie one sided disc expect actually buy edition pelican brief exact double sided single layer disc bought new edition thinking would single sided exact disc back package even dual layer format would mean edition corporate world make dishonest dollar thought watching movie prime realize especially price rip reason know right away gift card balance used first sad thing whole thing even watch anything kindle fire night error every time tried connect sure stop charging though good thing really like movie want note review nothing seller three one seller site two none play entire movie one cannot seem purchase working copy oh well great movie seen bought husband watch problem two way movie stopped working disappointing second movie particular movie sure company needs present wife stopped way movie would start point would start menu beginning movie tried going pass scene via menu system would play tried house ranged cheap apex model player thought might defective another one unfortunately replacement exact problem around time movie refund extremely disappointed purchase love love love pelican brief wonderful movie never ever turn middle movie watch second half even know anyone made way understand length needing two entire show side side b wow ridiculous thing ever p shame negative bought never kind issue swear never even knew could possibility great movie complaint turn half way movie tell description bought correctly normally read review like future think would ever figure turn finish movie mouse thing seen put whole simple movie one side way tell people front halfway movie stop turn displeased would never bought known mouse would known would extra long movie long favorite movie broke second copy one halfway stopped dead well ate first one one returned maybe misunderstood thought purchase got nothing money two change back know lot people enjoy movie suppose big movie understand reason understand beginning right away tried watching movie four times binning till middle start movie nothing talk lose interest know idea movie movie two disc movie received part one second disc sent defective middle complete request replacement copy works thanks need replacement simple content low production value slow moving boring watch good boring non informative depth repetitive need valuable information therefore recommend video unless aware boxing first would like say video great go history advanced course instructional video overview style one star actually instant video install program view watch anywhere else like program difficult skip around video rewind never getting instant video ever would get physical copy would like purchase watch box really instruction curious definitely worth time watch would rent another episode really repetitive basic counter show great detail though know nothing martial self defense video would great learn human body striking taking form martial art last video would great form advice would watch first dont like turn like watch another turn little little sensual massage get standard massage video pretty much get video minus topless supposed make sensual waste money looking mature adult sexual movie complete waste time money video massage enthusiast film really sensual massage justice two people giving massage educational thought might erotic think anyone street could make type video seen much better sensual massage educational worth movie bad made movie better stuff new movie bought thinking would lot high quality basically guy giving girl massage yr old sons bed weird much better bet original sensual massage book learn sensual massage also available instant video turned non sensual thought would better waste money rental awful poorly made ridiculous better massage watch waste time one total waste money time call movie like calling septic tank tropical paradise totally thinking description wrong waste money time sorry spent money movie bad one stoned guy first video camera friend house friend raspberry jelly decide make snuff movie least think seriously acting script dialogue camera constant motion seldom subject oh fake gore reason rated star understand charging plus h get target great go elsewhere purchase much lower cost whoever research program fired job go trouble make travel video include poorly pronounced bad information live thought would fun see state viewpoint program give accurate picture mormon church would given one star information accurate photography bad highlight one place known definitely want visit give star commentary bizarre ungrammatical mostly banal video footage little relationship script camera example confoundingly long shot small brass figure mean really focus get shot several much informative instant view list choose joke like someone never travel brochure series badly written particular order nothing cursory glance beat watched enjoy scenery place visiting voice horrible every single bigoted cliche hello book written horrible video give brief information certain throughout geographical context start travel clockwise various sure production quality make fell produced home video recorder stolen adult movie track still cool good charm interest newsreel dusty film footage narrator like hospice care even complain grainy video newsreel voice narrator low rating based content film perhaps would turning audio walking along streets taking beauty architecture minutiae terribly boring see hear famous enough already exterior almost entirely street canal city city town town possible delft without hearing guide mention world famous product name city loud take us inside factory pottery made least shop sold include local color mean repeatedly showing tacky painted wooden sold touristy although must admit dearly loving sent kindergarten tell us church invaluable take us inside show us art interior recall cheese station interior windmill historic public architecture limited many famous western culture van numerous could anna frank house forty later still feel chill walking silence almost felt like read diary take us one popular serve unique spread spicy delicious may need eat something cheese seven day tour first meal aka yummy sauce rich street vendor gourmet meal young film obviously made cheap people little imagination enthusiasm project certainly project vibrancy delightful country appreciate access many prime membership think deserve better quality annual fee travelogue fair quality footage tourist southern part state san moderately accurate commentary rather shaky history rather uninteresting travelogue little inspire travel upon source fun interesting itinerary watch nothing better skip tired surely put sleep las think people might take exception also great earthquake san northern stated video northern napa county wine living forty plus ago however picture quality could improvement site selection think stop city jewelry would enjoyable change pace could done enjoy depth latter difficult stay superficial coverage numerous even visiting hear narrator refer acapulco right calling pearl pacific feel qualified address mispronunciation hope someone narrator pronounced several differently native learned still film quality better film anyway never kind misleading cinematography late early kind funny see foreign take actual interest good information super outdated blurry video quality leaves something desired stopped felt like documentary one high school arch dry footage travel last several mention rick series comparison generally drab video together unfortunately narration brief either informative marginally enjoyable weird boring like skip experience used better acting like boring side really short script first three movie funny rest totally boring scenario really slow much movie many predictable like little romance publicist avoid hard movie material start dredging bit show bleak exercise wishful thinking peter pan version leaving las buck mawkish gump channeling streep archer aping yellow brick road monologue swamp tavern besides figment nothing prodigal son think actor whose trick open wide somebody howdy father profusely sugar daddy spent hamlet drag resigned wash misanthrope spoiled trousers hand conclusion even bizarre back enthusiastically told common thumper lust bend time eventually chuck looking long lost volleyball buck chuck buck hilarity rabid mentalist dude guy trick work went totally mental never let know five whole movie minute long trick done camera watched entire movie wife funny subtly something weird movie everyone movie fictional buck gay reason would pass possibly walk around neighborhood would produce satisfaction love see movie many begun simply abandoned good movie movie bad good either waist time find something else watch satisfied movie entertainment nothing really whole movie following life buck narrative assistant guess good life movie overall good movie maybe like buck pathetic movie time hope really possess magic left hanging tremendously disappointed movie much cast blunt found road troy colin buck tedious magic tedious well see movie grand total see father son real life father son colin enough blunt movie either romance character troy seem realistic build blunt however rebound hidden gem sunshine cleaning awesome hit movie part movie really like different role mean terrific bad guy like con air see washed mentalist good change pace loud every time song world needs love change pace performance world needs love giving film star scene movie writer article great buck truer could spoken entertaining great better really weak plot would recommend count among disappointed watched film really looking forward fan amazing particular stage magic mentalism general unfortunately much seen wide eyed innocent serving assistant demanding celebrity told writer director really work assistant presumably buck much stage name way came aside nothing particularly revelatory someone casual knowledge stage general come probably help colin somnambulant performance hard role title character often lost hard care much bad success film movie fairly manipulative witness oppressive work spoiler alert found impossible accept buck would everything could get back top change mind single performance least worked week throwing towel extremely disappointed great buck great buck stage performer way past prime mentalist stage proceeds astound audience mind reading hypnotism mental problem broken like fresno audience still enthusiastic aging heyday tonight show sixty three times fact repeatedly taken performer great buck title determinedly kept ever since big comeback business manager jay meeting potential tour manager troy gable colin son law school la become writer reality quickly needs job pay work buck job performer making sure buck every request filled everything set ready go like problem buck still huge star treat buck bitter jay leno never new tonight show big stunt kick start comeback place management company send publicist blunt sunshine cleaning devil set everything place bemused buck troy presence begin fall apart written directed great buck key element make film successful memorable right tone interesting fading star self fame glory buck stage every venue love town really mean aging barely able fill aging audience also seem genuinely enjoy show buck eke living fault buck funny seen type character many times many insightful daring interesting buck work need realize character career fading seem much get feeling could perform one person would fun fact much time trying make troy life difficult simply something maintain great status never self aware buck never doubt ability standing supposed either laugh feel empathy towards desperate enough even smaller scale much colin time standing one side observing everything difficult tell troy thinking feeling rarely expression seem get come narration narration never stop rambling film visual medium visual art form hearing consistent narration throughout movie equivalent trying read book someone consistently shove player face watch video reading narration useful necessary necessary provide ongoing commentary feeling screen tell visually least necessary recall two recent narration film bad barcelona woody omniscient ever present narrator tell us watching screen quickly viewer worse narrator even character story like reading us story trying watch fable unfold narration buck designed different purpose many low budget independent narrator useful tool tell us bridging gap saving money story proceed generally overlook quite obtrusive experience often enhance film buck get sense narration designed help show afford film hank go beyond start describe feeling thinking want accomplish seeing told magnetic force film side lot observing watching rarely speaking always kind flat though muster energy feel real help think much different father career would done similar work beginning career blunt troy becomes little energetic begin romantic relationship troy actually times enjoy companionship blunt little bit fresh air town help buck navigate press corps big presentation new york quickly becomes clear comes different world faster faster faster people like little tornado whirling town soon troy flirt must see something relishing new relationship one point help laugh one buck providing little ray sunshine among group people taking every word seriously monk pop brother sister buck official amusing idea really go anywhere end simply disappearing amusing ongoing joke feud buck star trek even memorable moment moment flat almost like everyone scene straight suspect great buck enjoy lifetime obscurity much like fictional subject forgettable comedy like show going instead got lot tanner trying funny telling much like expose anything nothing technical barely meaningful footage show host woman thought hot poor car show crap documentary one interesting th century made boring bread know documentary production company produced thing ashamed tiresome predictable theme movie far sad say father need coming movie time would seem sequel exorcist would rather straightforward new demon new child another exorcism somewhere somehow went horribly horribly wrong screenwriter director instead decide take us journey faith discovery sacrifice grown become normal recollection terrible possession four psychologist convinced could easily fall influence demon meanwhile catholic church sent priest investigate death father hypnotic synchronizer links mind father comes contact demon trip time space meet another boy possessed demon become savior people armed knowledge save soul father final showdown exorcist really test faith one taken audience disbelief must suspended highest peak order anyone accept preposterous plot pseudo science religious jumbo burton seven time nominee made look like fool deranged father quickly becomes fascinated demon destroy often like psychotic terrible lead cannot audience impossible take blair seriously either forced go cross eyed act brain dead ridiculous synchronization thankfully special effects cinematography incredible far outweigh strength script exorcist still widely one worst genre carl like horror film horrible disappointment comparison original feel like wasted time money boring sequel believe would butcher second film original masterpiece record polled movie rated second worst movie ever made plan outer space studio ran la threw stuff screen terrible movie full stupid great cast acting like far away beach care less burton stiff board make worse big sent version price allow despite monitor last movie rent big one worst ever watched totally incomprehensible garbage want money back son season bought season first captivating taught lot disappointed season fairy tale constant musical coming understandable cartoon season seem totally different person rented video go circuit watched tube regarding came across video searching circuit thought giving try must say extremely disappointed felt even spent video cause deserve video poorly shot poorly poorly executed background narration totally unimpressive genuine information video poor quality lots kept devoted important time example first see introduction visiting two noble cause last video journey farewell party running time literally wasted showing know people loving charming disrespect tot word wasted video supposed circuit trip also significant important information trek would happier person shot video would included information gear whether rented kind taken kind circuit kind face circuit best season go video shot completely amateur least like went circuit shot video show family back home impression come across end watching extremely disappointed see low quality video sold shopping sure check rent sale already know video put better tube free watch much better one avoid cost film poor video quality horrible acting extremely weak story line directed poorly understand independent budget production industry funded even film movie horrible regret spending watch even amateur level acting standard badly done found serious would recommend anyone watch film something film bother thats film judge involved making film would say today result different fur acting involved production would like film possible story didnt grab attention professional camera equipment sign get put two charismatic glossy comedy much case eric ca h jean smooth operator jean rich potential father law may also latest pigeon throw brother jewel cop either arrest get promotion may bit larceny outwit internal men shadowing got fairly predictable caper new make stand feeling ticking none panache con front going never really convincing fine lead even bring game one saddled unconvincing tan look like barmaid slightly higher dress allowance strike sparks wasted small role senior detective like disinterested bloodhound irritable try move snug place fire perfectly watchable neat payoff really enough reward making one die hard boasting kind blatantly misleading stock trade case selling action thriller region free ray sloppy affair clearly rushed success artist decent far outstanding transfer occasionally hard read menu beyond play though film unrelated rented watch later poor digital quality made impossible enjoy movie get good copy movie think actually decent movie poor quality version know actual sold better quality based another review sure really disappointing good story bad script bad acting enough action leaving important violent time episode stupid whole wasted watching narrator said many making believe something close never stupid make sense unbelievable brain rotting trash child abuse let alone people watch absolute garbage life young teaching little important pretty smart giving caffeine little live vicariously sad idea show like ever put production absolutely ridiculous please take show never watched see fuss pretty shocking satisfy get let little anybody anything involved cheap hideous vile show ashamed beyond human endurance halfway pilot beyond belief show disgrace believe society sunk low emotional abuse fodder reality one star rating nothing lower rating way keep trash anything like waste time sad day something bad put see even show pathetic people put pathetic people watch show worth watching making matter staring hope removal hard believe show documentary bad first show cause friend told reading sure wrong poor show people fit call absolutely disgusting awful make look show abusive manipulative sad watch perform little miss sunshine got right really sad story living vicariously cattle livestock auction sadly grow believing outward appearance important thing offer good grief worst worst glory little want repulsive barely stand child disgusting illegal use like jail agree everyone else one step away child pornography disgusting take crap list listed editor fire editor like simplicity use good service around enjoyable experience really personally fan show one worst see absolutely nothing interesting entertaining show know like truly feel sorry involved want feel like really get show able run supposedly lock people making child pornography nearly child pornography never felt pretty participate live vicariously child nearly much show feel like mum cannot believe crap overweight daughter try live life daughter could never life many want yet make child excessive make look like year old allow kind crap one wonder insane world would never let wife crap daughter ever would nothing think loose brains hear phrase total package many times become immune fact used relation child seem bother either pageant get go obvious everyone scam everyone system bizarre set one really goes home loser queen division also winner set supreme grouping ultimate winner entire pageant oh whatever like set couple five year made really compete full pageant unless cupcake dress proper hair full make fake spray tan glamour total prize likely never mind cost pageant likely run lots prep time reward judge beauty area cannot beauty finite transitory turning leaving usable beauty appalling thing hearing justify waste time excuse emphasis beauty furthermore modeling taught ghoulish sick incestuous training wherein teach ridiculous used turn make look almost clownish stage one assume reward mean chin head like idiot cute worse heart around face one yet every child age inappropriate clothing less said better really need hit upside head large batch common sense yet keep watching think going stop watching something worse comes along show make sick stomach nothing else truly awful bunch lamentably terrible puerile think even disgusted people crew think drinking carrot juice sitting make skinny pure crap evil crap boot someone provide proof people breed show would need item identical season one lower price correct run time listed product description product listed run time product specifically stage set description run time misleading first return based wrong description also first product review item wait refund huge hassle even begin oh know hate show passion like someone else said child abuse neglect ask going needs child neglect never made passionate review may unless put cheer leading contest real winner let blunt worst horrible show time time first time saw thought little go stage see cute thing ever boy ever wrong found screaming mother law house afraid think crazy felt way fact never anyone anywhere good thing say hate show aunt family care law people work strongly dislike show trash like getting keep air director pushing keep know day put garbage like air day say god help us come back fast enough world coming show trash like blah even like type toddler tiara every mother father whose child show manner something especially something frivolous pageant shame love would never ever anyone lose almost like outright child abuse hope god lose go better sadly would harmful upsetting answer precious lastly teaching trash ward beauty inside concern next generation whole world lost mind concerned days get moderation absolutely zero concern fellow man needs neighbor needs help sometimes dog eat dog world need get back country upon quit forgetting past done feel much better thank feel better trash done emphasize strongly subject really short apparently really short production time cause art would call sloppy like short attention really thing hello everyone please understand usually avoid writing negative artist work realize value awful mean simply terrible extremely disappointing c mon thinking could watch different language would even play watched disc one disc five three able watch third disc know show bought defective epic fail awful series great actor excellent king series however two young story line suspect also written young leave much desired wonder ran season watch keep eye actor queen also good job heck series cancel th must gotten lot negative feedback decided start series time decided tell anyone series start june th following every show finished thanks thanks getting hooked show telling anyone show back season pass thus recording future due inability get decent fan base try stuff pull rug us following show fox tried number times come expect treatment like hack network also maybe next time use advertise show fall future next time wait series see positive feedback rent blockbuster way waste time stuff decide cannot get behind think advertising revenue follow lead one best network decade think agree attractive cast around good plotting brilliant dialogue great course idea got around almost immediately kind show bound better right mean whole little world immaculately detailed show us finally place show three disc set sixty get fine transfer one commentary first oh ad bottom title universal fly night sounding press great dot meet hulu actually mean site get taken set great show could great set complete disappointment guess made half way turkey wonder show know new calling review like slap heck whomever dreamt drivel like course barely long live delete button backdrop contemporary yet backbone story stem middle age disc function unknown get moving frustration want bother send back replacement forget involved series entertaining first however episode turns weird right offensive jack homosexual great many twisted account king king al homosexual decided portray way mystery disappointed carving story politically obvious way serve agenda episode also horror show description decided would stop point cannot report anything positive negative episode onwards wife decided return video far like us start saying buy watch every episode broadcast although show great buy greatly disappointed find many series go ending one left completely open next season cut show season left show unanswered getting tired network watch nothing worth bought friend recommendation even get first episode due script little far fetched give much goes unanswered cancellation believe rewarding studio shortsightedness disappointed series bought whole series thinking would series based account problem series sin fornication sex marriage adultery homosexuality promote glamorize god word new old testament people every repent turn forgiveness series based yet graphically sin truth sin found honest willing look let conscience god word convict heart repent sin god grace mercy concerning series based would god gave shameful even natural sexual unnatural way men also abandoned natural inflamed lust one another men shameful men received due penalty error furthermore think retain knowledge god god gave depraved mind ought done become filled every kind wickedness evil greed depravity full envy murder strife deceit malice god insolent arrogant boastful invent ways evil disobey understanding fidelity love mercy although know god righteous decree deserve death continue also approve practice know wicked inherit kingdom god neither sexually immoral male homosexual greedy inherit kingdom god washed sanctified name lord spirit god save life sin grateful given new heart new put trust would problem series know god grace hate see used love may pleasurable season death wages sin death gift god eternal life would spend money series spend time reading true account instead bad news good news please read following carefully honest listen conscience would consider good person men proclaim every one goodness let see qualify good person ever told lie ever stolen anything irrespective value said tell anyone woman lustfully already adultery heart ever someone lust someone another person murderer ever anyone yes previous admitted liar thief adulterer murderer god judge standard would innocent guilty know guilty deserving eternity hell came earth criminal death broken law god love us still us repent turn put complete faith lord may die today sin reason would accept god gift living true false conversion audio sermon god bless said told would die believe one claim indeed die show law written hearts also bearing witness sometimes therefore one declared righteous god sight works law rather law become conscious sin psalm fear god flatter much detect hate bless show terrible first revel fact planet provide show second really nothing interesting oversized family preaching religious entertainment ordered fan show bonus reg description item misleading bonus simply one disk season saw new video rescue complete fifth season guess really stupid rescue fifth season volume came waiting volume high thought patient till start season price would go imagine surprise see release complete season bought selling volume gee want season volume purchase outside vendor plus h think going buy complete season without anything help also disappointed read complete show happen put money bank turn television show shame double shame vol vol individually expensive entire set friend show plain asinine order correct situation considering following install torrent client locate torrent burn dual layer give lesson learned everyone moving bad marketing picture part first set two separate later together price one separate volume although doubt hope executive review would given half star grade whole series rescue superb transfer unbelievably bad first fifth season two halves really blame strike guild blame however blame two halves later two halves one individual release loyal bought season five volume one volume two buy volume two used real complete fifth season thus buy already like personally refuse buy complete fifth season future rescue release know made decision discontinue two halves season five replace one person incompetence seen petroleum home entertainment one worst home entertainment final season creek told loyal bought individual season would release complete series set thought people forgotten promise go ahead release creek complete series home entertainment lied loyal give two care money loyal spending thankfully buy much boycott affect company much however encourage rather discourage anyone ray product home entertainment quick visit sub par reveal trace contact information gee wonder yet finished season inasmuch file incomplete customer service working problem episode missing first four season volume since complete th season season volume guess buy complete th season duplicate first half season sound complex well hell yeah way beyond want rip us vol vol fine offer complete season less half love show seriously treat diehard like bad worth money go buy comic book times better love batman want see animated version story watch batman animated series version voice acting series amazing mad love stop animation version pretty low budget voice acting terrible also give much content per episode even worth minimum animation move move everything flat story much like power point total rip even properly animated like someone took comic book camera around bad voice dialogue waste money right grainy motion smooth enough liking overall quality know made batman animated series amazing job comic story already word word animated series version big batman fan would say skip buy animated series version much better original voice animation classic shouldnt waste money book big problem sequence part comes part also good animation paying complete rip episode like one like super short like fact like comic book people talking mind fact move much actually rather read actual comic come make wish since charge people watch worth money like really even good show son much one problem crazy giving star yes unfair experience applicable son prime instant video always watch one episode pirate camp problem audio one episode like tin definitely issue episode particular instant video sound normal bad always watch one episode audio like tinny garbage think bought album one track work would like song episode goes pirate camp sign show great quality streaming service particular show low something happen streaming service time show regardless quality good streaming option show love even animated show jump proverbial shark first couple great music story actually start going hill right stick first season movie second old bit like though whatever educational value filler annoying theme song well recommend show young simply educational value entire show purely entertainment sing dance math reading science curriculum associated show waste child precious time useless show would recommend sesame street explorer bubble instead surprisingly enough show hold attention two little show dull move within however love show fan season like big bad wolf would rather young toddler watch entertainment even meant innocent preference stick season check season watch episode video display greatly disappointed possibly conflict pro becoming prime altogether bought properly never would bought known woman lot evidence seem credible way subject subject without full analysis presentation poorly put together another interesting film x pan scan opening reduced film x ought law pan scan version cinematic adaptation famous play probably found necessary return item however received communication anyone regarding matter right unhappy customer c mon people patronize insulting giving th century fox way get message film degrading shoddy refusing subsidize lazy lack effort give us way supposed go trouble horrible pan scan beautiful old ratio might well even release see whole film pan scan shame fox home video take cue warner write review documentary yet film statistics transit times today yesteryear creator narrator new beige box neighborhood contrast impersonal experience neighborhood childhood decent idea people film painted new dry boring unfriendly uncaring one lady said something like people new tend people linear thinking making shape box contrary narrator ideal neighborhood could wrong rusty dirty junk people funky would priced many people built nice big new even able afford modern homogenous whereas metropolitan full diversity embrace different basically film spin left wing agenda end rich people build acre lots living according speaker setting bad example world understand creator film chose compare two survey particular neighborhood attractive way concept new agree premise modern neighborhood development raze require longer work transit times lack deserve criticism however film like attack people make new represent among without real experience live new suburb sure wholly composed drive work without ever knowing saying hi glad movie long quite make end architect snob starting effort showcase progressiveness want watch man talk great neighborhood demonize watch wary expert something say grant egotistical disrespectful hotel weak evidence going need hotel celebrity days case badly damage loose sliding place thing broken well grant th season set high heaven straw broke camel back spalding inn episode sprawling bed breakfast inn new told grant making lot money lot new real estate cheap drum future business ghost international investigate spooky inn guarantee found absolutely nothing nothing grant place super baloney see ghost investigation equally critical got investigating whole ghost phenomenon find go big free video site look tell need know phony duo phony show disgusted whole taps cult mentality real deal well successful snake oil nothing give two staging good show deny three like around staged miss first vigor enthusiasm honesty see selling hotel bought yeah right obnoxious get rich scheme ghost grant us last year live show money told us real rare hotel bread breakfast certify everyone cash season scam believe first honest cash one ghost know anything left legitimate honest bought last episode tired drama season season five part one fifth ghost unfortunately also last two major ghost first production format become incredibly formulaic dull second unfortunately enough paranormal activity keep interested second problem one fault let face preferable show legit resort unfortunately show become stagnant formula every show identical goes something like jay grant tell amazing new case cut jay grant sitting office going detail case cut jay grant saying something like let get team together go check cut shot team loading van cut dashboard team traveling allegedly location jay provide history location cut jay grant walking around location owner showing hot jay saying get gear set go see find cut set cut van shot showing get idea getting thinking c mon grant give show new life add guest psychic every spook factor otherwise many like want love show content getting way dull predictable like truth comes season grant playboy money throw around defiantly away original east honestly involved work agree g never whole season bought totally disappointed show gone downhill got circus like atmosphere brand enough pass training people survivor style joke ghost academy ugh half episode suddenly bring totally untrained show untrained run around cracking stupid funny cro level giggling serious scary also longer entertaining fact say major ennui fallen formula sit recite everything going say get season get better got worse must see season get somewhere free hit make mind wasting money used travesty rest assured longer feel check season without paying dime like reality would probably like cast getting evidence ghost would tell pass never see anything except seeing react cant even hear good old good imagination love good year really rate never correctly kindle fire since unable watch love contain witty cultural appreciate discussion unfortunately strip cartoon shallow self centered little generic prima also removed personality character daughter unenjoyable watch also hardly educational content unlike favorite tiger sesame street kai lan bad horrid best watch time load little annoying crazy addiction kindle love stand prefer plate pork bacon cute saying like sometimes know undercutting parental highly time much less carton cod benefit time nothing review friend mine would recommend two annoying animation spoiled pig brat great want show behave like spoiled pig brat could get work twice grand disappointed like poorly disrespectful often times let play within couple telling turn pick something different happy insane drink lot get song stuck head want carve plastic awesome one one star review made people would know terribly wrong damn funny season would sell kidney see season show lie detector episode season made cry season slow portia de park entire time without ever cast great especially terminally ill child would use make wish get season watched far maybe grow like dumb story line like dont want short comedy continuous series light hearted satire life corporate world main character episode cannot believe many thought trite poorly written thing good many stupid network brains young dead like pushing like prime rib wonder bread freshly baked san sour dough ignore star stinker show development office absurdity show far would steer clear mess reference point favorite comedy mine curb enthusiasm development eric awesome show wonderful show adolescent find something else watch concept funny show fantastic think tank put toilet paper within reach building stupid watch best humor start watch episode case season got better another toilet joke give video horrible know guy formal training everything basic basic information much better information free quality video amateurish poorly produced video quality bad lighting bad audio bad well really guy talking like something like might read book talk read know nothing much worse ashamed complete lack effort boring poorly done good idea certainly pull together mute sound look scenery footage good much really trying tell rock climber climb without ropes slip certain death heck guy three away survive cool content make overly dramatic show damn grand canyon really narrator right voice keep listening tell reading trying really hard possibly hard impressive either impressive show type watching half first episode moving quick scene annoying content interesting kind phony manner incorporated people dangerous sports great graphics learn new rock climbing really anything enhance science terrible show absolutely tell manipulator control freak know parent zero say anything raising entire season episode missing episode sell incomplete season oh honey chile hell obviously since one one watching unfortunately watched enough away forever kind like looking really bad traffic accident question really know sorry thought go away money give class black behave like nothing better welfare money dress like cheap street hookers bicker fight like ghetto see news night week oh please deliver token kim poster child long side orange paint plastic size queen jungle hair two jewelry still comes truck stop hooker talent think singer something affect cover thy studio pass first audition idol think bravo dump new jersey new york boring obscene waste air time think maybe educational could shown instead perhaps society might enlightened instead subjected brain rot scenery documentary depressing hope next documentary touching topic provide better field better photography video reflected restoration rare vehicle actually tank destroyer thus technically even tank limited outside vehicle short cleaning job sure work went cleaning enough justify entire episode interior even told anything e g mention man crew internal radio propulsion even shown single glimpse interior vehicle much less diagram kind showing interior general fact time spent episode interior current us mobile artillery vehicle guess surprise surprise vast improvement made ago completely irrelevant like panther e useful practical sense designed completely different even restoration exterior done missing machine gun front destroyer even hole gun barrel supposed pathetic addition effort whatsoever made contact anyone anything assist way restoration finding take unbelievable finally paint also paste supposed prevent application although unclear ever used paste noticeable put hand never seen use without distinctive running throughout attempt made duplicate distinctive feature restoration respect restoration also incomplete regard although application paste german armament often haphazard case pretty much conceded one episode agree truthteller paint job anyone know great work done better nothing yes could much much show interested miss greatly site big always thought show low quality day taught camel hump water reason son watch show due educational value since reason low quality low list think thought file burnable disc playable various nope play kindle resolution poor waste money also cannot use credit card credit card purchase goes straight card annoying jerky amateur unplanned narration bad hardly worth even two posted go finally comedy central decided like adult swim cheap like people state much go far say like bootleg cardboard case came plastic anyone else problem case mine repeat buy another cartoon collection comedy central adult swim want cheap episode seen season south park honest kind perspective south park apart odd chuckle beginning find show less less funny watched episode hope would ignite liking show convince check full th season currently season unfortunately episode titled derby simply allow ignition liking sad say chance watch season story around many south park constantly episode randy marsh main protagonist episode around randy passion win derby yet run order win randy magnetic piece cern super car win race inadvertently discover warp speed picked alien criminal earth hostage randy keep secret building new car suppose lot let episode absence never really fan randy marsh character good part episode proven past episode almost entirely simply work episode fall flat number ways humour really get really news report showing randy stealing part super dressed princess got sealed really look like printed computer vary shade really fake wont even play missing one south park time terrible playback get without stopping loading standard box set south park used cheap plastic case printed inside single page cover completely different one pictured ad go brick mortar store get season sure getting intend false description product get type continental player would work show passing year mean superhero racist name icon mouse bring branded episode passing gas boy kissing company episode f word tsunami pee episode episode sort like wrestling one love wrestling predictable way know wrestling like soap opera big fat hairy deal give season month since product received yet found possible boot legged copy good side money careful buy made mistake reading usually pretty good item like got order saw case closely like bootleg copy quickly check site several people agree havent sure want return yet really trying give someone nice birthday present look cheap thanks title went day received wrote times policy credit something like never got response retail compensate price change quickly assume lack response policy anyone concern show shark several ago season often ill uninspired often desperation axiomatic creative people run creative fall back cheap stuff case pee gratuitous violence hey show first got south park collection prove merry plus plush doll even trey little known musical mormon cannibal think team movie well done question devoted fan shooting dead fear trey honestly think comparable work used apparent longer seeing work clearly please trey let go everything show brilliant bordering genius many need money got enough several please end show good still vivid starting fade real shame sold bootleg copy second third even work giving negative review based deception product description product box set however order received single plastic jewel case three receive standard box set sent back send box set sent single plastic jewel case second time stated standard box set avid south park fan looking enhance south park collection buy set looking traditional box set mind plastic single jewel case may uncensored funny without least give option buy material typical complete season outside plastic th season broken loose inside sent back without even opening well got two different people seem two different one release got pan scan copy version version got stereo brad received copy fox untamed film longing prime quality long time cruel copy terrible quality moving hayward tyrone power almost whole film company like fox people pay almost poor full technical scanning really scandalous angry cause feel beautiful color movie like untamed badly people untamed fox get refund better copy untamed present scanning major one received bought thank stone south neither hayward tyrone power manage appropriate accent thus fail establish credibility outset story historical context fighting complicated series parody western fine story could easily shot montana realism shining exciting film another hayward tyrone power fox cinema horrible pan scan version scope movie worth shame shame shame disappointed received great anticipation reading came conclusion format went ahead well screen result pathetic picture unsatisfactory screen type shame fox disgusting treatment fine movie come come st century people days sure use zoom screen cost considerable clarity total piece crap spoiler alert skip opening paragraph avoid big smaller sprinkled throughout watching support team fail flooded office escape stunt pilot curiosity drove admired greatly fact rather redo experiment rig make look successful team willing show honest failure fact escape fail safety mechanism place short well previously unannounced backup plan backup safety frantically beaten final escape route edge seat end spoiler watched subsequent several first apart pilot episode marked absence ambulance rescue present found extremely irresponsible highly unusual show airing discovery channel educational factor episode escape outlined early bulk episode either design engineer various ways big event often much smaller equipment human endurance personally however made show fall flat made opt season watching couple via prime presence mike college trusty never mike often gamely smaller apparently initial result hypothermia scientific excuse got body fat therefore react differently far often reduced show little attempt get laugh another human suffering really necessary us watch angry bee sting tip man nose twice less tell us hurt like crazy one truly good thing discovery nat geo history channel miss mark seldom last long niche give program better chance succeed primary audience program quickly spot dud smash quickly vote use translation dud abandoned en masse hit grow week either way word around social hurry one way episode run forever coupled discovery front cover set tell proceed caution skepticism opening wallet may find show liking felt educational entertainment value tendency pain humor number copious dare even think trying stuff episode prepare jocularity men screaming pain think little science lot less jackass humor show might still air extremely boring program watch program like really fourth way really great television hour boredom interested five cup tea used like animal planet many boring annoying much repetition little point keep interest drag forever thought would similar alive series somebody forgot yell action kept fast forwarding see something much sad shahi amazing fairly legal plain uninteresting plot could worked action ugh skip one watch something fun little disappointed movie much plot follow change story torn two good see zac first really play culture family finding major reason watching one end kind disappointed place film one find south culture ray talking short scene family eating curry laden food film south decent lost heritage long ago still holding stereotypical culture calling ray friend point fact early film scene talk ray eat methinks average viewer miss spoiler paragraph shahi character came across like loose floozy think writer director meant portray great job though felt compassion character end end film felt like ray broke engagement woman really good could pursue loose woman share country descent viewer supposed somehow feel like victory still trying figure ultimate message film perhaps south decent hail film thing since curry rest us able plainly see big house distribute film want fun romantic comedy really south culture honest relatable go wedding want real south culture shock go pic really good believe people giving good low budget good baker best performance whole production totally staged lot well known working deliver either flat totally top roommate sal annoying funny shahi beautiful always decent natural performance time worth rental love maybe movie good time realize since beginning boring felt asleep seeing content story given narration opera type song think specifically general overview anyone went holocaust maybe opera fan singing really hear story author found watch got one worst science fiction ever seen acting terrible graphics bad film act though supposed comedy instant video said genre fi horror never comedy came disguised obvious character would actually seen right body better job disguised could fool people bad movie reason listen movie furthermore film provide good certain woman said brought back life much rather watch horror movie spoof movie like said tween know holt phoebe tonkin vampire secret circle listed young adult adult h directed towards teens house would probably like show best movie ever love watch every night go bed time import splash tween power look like high drama waist time money another one teen selfish self centered teens waste time realize easy buy shopping got purchase apparently year old computer bought knew hind sight daughter disappointed allow hopefully company produce release us standard format soon series r quality low bought sent back came ubication freeze little sister kind creepy effects garbage story crap got disaster wonder free prime show barely bleeding saw advice please dont watch piece crap dog another reviewer stated film poorly produced obviously low budget film top horrible quality information interesting evidence beyond local newspaper clipping incident really going give opinion really compelling worth watch waste time crash problem documentary like advanced amateur attempt documentary making term low budget define piece story overcome corny props poor guy wandering around black wide brimmed hat might seen ago nothing quirkiness quirky ways quirkiness personality trying portray piece scholarly professional business suit suitable outdoor wear appropriate guy even enough sense look professional whatever evidence added study unexplained phenomena sub par presentation seen better many cover us know seen earth need put together body evidence covered distorted need ancient dan unplugged know saw best evidence many good organized well produced one video good game new physical evidence new video incident sorry say pass one beware ray disc play cannot read mysterious reason perhaps censorship fool twice never curiosity got best finally saw controversial film late controversy centered around rape scene whether year old girl acting like well fanning already r rated beginning age seven eight guess big deal actually thought story interesting boring acting decent fanning always good photography good found objectionable way many thin year old movie made fanning underwear lot groin area man stupid must favorite film day age age matter really think good idea director writer apparently nothing wrong along young girl walking around totally naked dad morse also read film people saw movie theater several shocking even version example liberal extremism run amok sexually early age woman length interview part also bash era child wonder would show movie many people film far explicit thing took place made story way several key overall turns mess film without closed want watch movie closed stupid company although good film main character boy white men ignorant anti rock roll sentient spiritual south nothing backward textbook film student version south ilk grown tiresome probably goes one memorable would like forget slow moving sort boring side best weak script south nothing like never every aspect story unrealistic author obviously never south made romantic version seen happen south good part dad got struck lightening hilarious sister watched scene like four times even unrealistic nonsense tall grass pitiful attempt symbolism think people like sexual content movie garbage looking movie like watch realistic either least fell movie like fanning whole movie waste time watch unless fan running around underwear movie made sence thing going film landscape love southern like film missing crucial ingredient truth symbolism clumsy hopelessly stereotyped like dancer dark lost ocean self indulgent bitterness amateurish writing plot totally unconvincing full sort along making little dramatic sense guess anyone make movie days fanning film seemingly lost looking plot best could poor material hopeless waste time money disaster flick rated high may may dust finally settled movie controversy one stupid rape scene watch movie movie taking mature role automatically good movie right wrong movie ridiculous thinly veiled child obvious rape nowhere near bad everyone making felt thrown shock audience actual rape scene ridiculous bad everyone saying like long see face hand even rape ridiculous pretty much becomes zombie seen people age go worse act bad music evil weird seriously single memorable moment thinly veiled child avoid oh completely disgusted director agent rating fell zone almost negative sudden review page filled star shame director product stand even shame telling audience worth much cheaply bought plastic movie one worst seen recently find sad people give movie high praise first movie substance plot paper thin movie could half hour long still made point many pointless certain little move story example mother didnt even movie role pointless took character story nothing would feel movie full useless pointless little connect another thing nothing rapist top movie abruptly movie waste time many wont put sleep one one boring slow drawn mistake movie horrible since monster ball seen movie made want conduct nuclear strike deep south since south wonder coming south region people culture genre human depravity despair sure people live horrible everywhere really think another film poor white trash rape necessary acting good film professional writing well life really east aspen well story bad spoil say much good job worth time overall would preferred waste time something else want watch ballet watch performance thought seeing rehearsal may interesting educational nothing going would better seen performance mention also short watch actual swan lake waste time trying watch pathetic production watched via prime free waste money whoever project first place script beaten head rusty pipe piece dog onto unsuspecting film goer agree film awful many jerky facial hair awkward timing might think going sexy whole feel low budget amateurish two slow moving production never payoff absolutely ridiculous masturbation scene real purpose seem end like movie acting bad story bad structure little sequence mildly related also technically inaccurate insinuate assumed contracted drinking blood infected person may incredibly smart thing except extreme extenuating like open wound mouth instance anyone virus way wish could give know come across worse movie even good camp value e bad good movie chopped needs artistic direction low budget mean low creativity snaps long scene make movie unbearable watch flow well product b ref god cartoonist comic crusade jack chick expressed jack chick gospel montage material documentary term describe anti humanistically materialistically mind bindery overlaid graphic art led zeppelin chick material regarding satanic popular especially classic rock music content thus produced mainly linkage reference material copyright complaint first segment three video since two hereby refer regarding formally apologize enjoy yeah joke one close minded stupid wont waste money definitely small screen movie ie kindle waste time think people identify achingly skewed love well lopsided would enjoy hearing ex frat discuss nailing ugly chick may like movie watched end see would character development sorry comes across like home movie saving factor show bigger budget skip age love show would watch anything let looking much plot like marginal acting one although daughter like attitude like doesnt work region error please eject disc playback authorized region pay ship crap back really watched much enough make sure appropriate year old granddaughter much watched account like hold interest long shown instant video play satisfactory shorter minute less video series get blurry even voice track buy series even end entire h add water series tried stay ultimately another movie homosexuality without homosexual sexuality hold interest real fiction find good save money pain watch would get fun watching mold grow video trainer extremely boring living room bad music bad quite boring worth price terrible production quality lame music audio worth little money time movie woman love men culture movie embracing one heritage however good stuff acting flick terrible timing whatsoever romance rushed male love interest perfect jaw obviously must result cosmetic surgery movie cultural pride racial pride film white black mixed us island totally absent find incredibly problematic wrong time one every three film made sure people interracial feel piece boring get interested even make first like watched show watched younger see remember watching thinking world like show good seven year old brain thought one worst fi ever seen maybe would worth pay see big screen throwing money away watch really blamed writing awful special effects though good merely eye candy nothing advance weak plot half way movie large cast suddenly appear spend screen dragged become err mean wait reappear though since one return hero character poorly like honestly even know point movie director interesting universe deliver ending vomiting cliche overdose make wish one early movie summary save time money watch something else least save time flush ten toilet realize big budget movie strange example first idea character protagonist revealed never really felt connected another example story place future times primarily opening like version movie director intention make movie intended make futuristic movie wonderful acting feel limited script director worst movie ever seen would recommend anyone mutant act first like complex dark fi capitalism flick suddenly deeply play digital gore lord magical bomb without leaves wondering going happen pace slow first towards ending see x men wolverine hopefully soon also summer line san two people see would around popcorn drink minute wait film total taking ticket also giving us free way better going theater needs sell digital theater used one worst movie ever seen waste money watching wow believe good piece beyond retarded avoid avoid avoid high movie saw jane coarse turn fi epic hoped would story poorly written made little sense machine turn everyone religious people want stop something special effects nothing hoot holler ether blood like crap everything else terrible impressive get acting possibly one biggest movie sub par good like reading cue card emotion behind voice ever jane serve much better glad bought movie used pay sure one half star option score would given boo mutant wasting time high movie since steam trailer well old good versus evil science religion corporate exploit rich people screw poor blah blah blah times visually interesting really fell flat dull script flat real plot even save ridiculously bother watching say much since never got watch son gave copy last would play ray player still would work four people try none worked figured must defective although never found decided would try thing two play many ago informed portentous lord style voice machine came earth singular mission assimilate human race turn time mysterious champion obscurity unite man machine burying earth year four massive fashioned war japan stripping earth natural fighting war attrition rest course fierce trench warfare corporation apparently fan german art peter murphy machine uncovered basically firefly serenity name long sorry running four point gravelly voice monk terrible brogue mysterious holy book ascent champion go mines sorry bowels machine overthrow mysterious holy relic snatched bowels machine holy hand grenade python holy grail sprang irresistibly mind dirty dozen style suicide mission organized various military four jolly well trundle bit exploitation cinema mutant bad film two ways written directed fifteen year old diet history channel war first person platform fairly certain design heart machine denouement piecemeal level god war way way much sugar clearly audience exactly pity post credit futuristic vision lot promise long though internal logic kind film haughty german sport like stop cigarette clean shoulder shortly engaging long need faith despite previously communicating damned tough get point look subtle jane usual attempt clint impersonation performance sin city usual heroic dying sergeant bit probably movie leonine earnest embarrassed turns short cameo easy pay cheque terminally also stunning logic natural world stripped entire able run coal th century running low stuff st able reproduce quickly six one first dragged underground towards machine conversion importantly six dragged along back clothes torn make mistake one star movie decent production largely form decent production design moronic piece cinema watch peril bad love tedium consuming tell cast either dud great movie cast good fact went straight video dud even good b movie long movie special effects awful even worse story acting even part good b movie make sad ordered primarily trailer interesting like waste time money one know look something really bad think could better well movie made realize probably good interesting plot leave device buried earth turns forgotten except secret society world war earth heaps heaps special effects set design someone put ton time money damn thing yet plot interesting away made sense example year supposed something like fighting trench warfare right really coal powered train engine looking air right alien get rid humanity would mutant making machine get rid would alter thousand individual kill would spray wouldnt alien bean counter somewhere look idea say nuke em low orbit like told stop us hair like said movie like building good architectural real life kept seeing got sold thinking probably done better probably waste time money movie plot wait develop wait wait nothing character development whatsoever nowhere near scary cannot even find intelligent review movie ridiculously bad mutant b movie low production budget effects second third string like jane mist proof act given somewhat decent material alas punisher mist career low budget maybe even straight waste time one unless appreciate despite bad acting horrible effects dismal plot complete stupidity like bad genius hit master stroke turns bad movie good movie mutant goes straight bad never past shine become good want see good low budget movie cool effects get copy outlander movie complete alongside alien dragon far entertaining pap could ever aspire seriously comment go read good book waste time every reason enjoy movie theory mutant cast admire genre type typically promise based read enjoyment ended actually watched movie found podge strung together effect without real character development solid plot flimsy accent scene scene actor whose work past jane another actor usually enjoy play part hero piece well unfortunately without character development engage viewer interest left well hero never felt knew various random nobility never really get feel suicide mission hurt movie midst battle scene went far long without first learn little going much empathy battle mutant deliver cinematic thrill cast one dimensional feel designed shock rather really add story may still want watch curiosity sake would recommend rental considerably less perhaps wait television missing much movie terrible got funny movie bunch battle suicide mission usually least one funny dude one action boring nothing unique interesting special effects best release idea neat figured try movie test first nice see theater release available though agree way might well go theater see big screen movie terrible definitely spent money special effects instead writer lord forbid continuity director without little plot movie basically fantasy movie throw world war steam powered believe nonsense dialogue save money get comes really nothing compelling film concept terrible rather deadly somewhat overrunning earth far future something across barely surviving earth actual execution leaves much desired least gaping plot drop whole bunch big nuclear bomb hole machine cave hole seal like seem done year something acting exaggerated dull uninspired good well zombie movie several times post apocalyptic world well done lower budget film hand really depth insight film like days later avid science fiction fan found movie boring predictable supposedly set future found totally implausible coal inter planetary spaceship least movie plot vague cinematography dark dark battle scene beginning movie reminiscent movie supposedly set future suddenly turned slasher movie possessing lobster ripping apart blood fest gore kind movie bad reputation hard understand happening exposition vague characterization awful plot hard follow save money one buy l w watched channel like rather typical post apocalyptic save world movie steam punk trench warfare la world war one unleashed course nice saving knowledge defeat evil think th element gather band unlikely destroy machine making evil meanwhile small portion earth population lots predictable fighting hero team one one main hero supposed bomb evil mutant machine actually spaceship scene ship arcing towards poetic justice solid b level movie dark violent pretty boring feel free skip one plot really make sense acting pretty lame even fight compelling never read comic maybe missing something movie still movie basically waste time money ugh one bright spot finally streaming content may get theatrical rental wolverine joe movie one way high think right price point would let start saying type movie would normally watched cable cutter fi movie see evidence film trying see much originality either regarding thought original however movie almost time explaining work instead something futuristic like fi horror action may come right place since probably feel emotional loss thinly die much better would recommend movie interested fi really like genre beat price needlessly care first fifteen next time better opening movie rotten gave film low rating maybe based game name budget film bit made bit box office prosecution case overall grade minus watched every year movie combination alien invasion gory violence gunplay rolled one mutant movie ancient alien device turn mankind international crew destroy least turn alien device movie nothing special plot dialogue even special effects waste almost bad movie never made people might enjoy movie mistake would rave toxic avenger interesting subplot emotional complexity monster one bloody gore seen lately way top folk like sort thing anyone want copy good cast flawless acting ability let feel anything even feeling computer game quake scent fan game say waste money bargain bin first must state play game movie based however read based game two excellent third abysmal possible movie worse third book series would excellent movie used first second book script instead horrible mess avoid bought movie something like get disappointed ended throwing movie away bear try trade somewhere even give away yes bad mad worst movie ever seen start vomit mouth think spent money poor acting predictable another zombie movie short time period first time watched ray felt like gotten mid movie perhaps middle episode serial series whole poorly took till halfway movie understand key plot took watched extra really understood certain get feeling assumed viewer would already fan role game already understood basic world movie set uninitiated like much terribly unclear also personally least enjoy overly video game look particularly dominant first part movie war totally fake felt like watching video game instead movie believe anyone gave hopeful saw cast people say good acting good cried little lost life story even make sense take machine movie long time get someone machine fact rampant mutant outbreak like five even days ridiculous might movie ever told someone completely avoid really nothing worth watching except maybe nope nothing given cast would think something script direction overall production wrong mutant like bad movie original film th century world four corporate longer exist two face accidently destroy seal machine device mutant feel pain live attack kill mutant start overrunning earth forcing people flee planet brother war major jane along team delivery explosive device heart machine problem team must find key ancient bomb somewhere within machine low budget movie matter inspired unfortunately mutant written directed script direction amateurish best cast fairly solid pretty clear took brief role film money suspect everyone along idea shooting almost entire movie without real like everyone good poorly written script direction look feel movie even capable action perhaps element camp stilted dialogue intentional meant corny style case might enjoy image quality pretty good suggest see movie real plot goes nowhere hold fight movie weird specifically looking shark unfortunately missing disappointed missing episode one thing conclusively debunk junk science use junk science unfortunately people looking real whether photography moon real search end cherry picked two three easy several bad journalism pretty boring first watched show first time got sick seeing run around house screaming crying also ridiculously awfully boring watch interesting finish first episode got narration awful often saying anything saying pose hard understand also turning camera practice probably space available room done according correct alignment today obsolete worth seeing everything advanced workout found mildly amusing rather overall lot stock impassioned poor woman male interest ethnic side worth look get sense show make want watch season pilot get probably great series enjoy beginning series like already couple important somehow probably didnt watch long enough catch imagination perhaps like real world tried watch first episode twice stopped times funny humor appeal us perhaps show better might appeal humor juvenile us like kind comedy even tried get found maybe continued would gotten like interested show made look like great compliment office quirky humor unfortunately true fault nothing unfunny rehash show amy taking role easily office rip well seen first episode maybe watched feel good show captivate first episode watch looking great show compliment office watch rock unique style make feel like watching cheap cash unappealing hoped would entertaining struck sophomoric maybe got better season painful watch turn really like like c reel movie like identify reference maybe select episode late season try perhaps noted series better age frankly time agonize series main actor part sounding way much like supporting actor part condescending prejudiced moron many excellently produced view rather spend limited time enjoying finished development looking similar comedy gave look awful good loss funny bad great much better usually something else watching couple bad awful show painfully obvious show trying office miserably even crack smile whole first episode comes junk halfway one episode found looking something else write seven submit done show way find humor show main actor dumb know show kind show thought weak humor funny good job seem much work show anything see immense talent amy everyone else interested watching guess old like format like reality fiction within first great guess saw first episode perhaps bit unfair concept show vantage point say show humdrum conventional sit obsession underhanded commentary disappointed read hoopla let say lucy even office like married dull fodder someone nothing better watch paint dry sorry dull bad dull official small local government series hate much real fun uncomfortable found whole premise show juvenile silly heroine airhead rest cast equal example stupid kind humor humor guess people like watch series got everything everyone try hard like watching bad play watched pilot find say item many review funny people goofy kind show like show theme often humor watched several series end find give tried watching background noise voice audio brand new kindle clearly end lot sexual without love amy though idea show lead character boring funny waste money would never recommend anyone bad thought would ich better show good worth watching could bear acting lack plot never anything bad normally give veteran love vet much give something horrible well found show really boring see reaching dry humor type style pretty well mark oh hit dry ever get humor think maybe trying like show main female character flighty really upbeat jaded unfortunately woman show comes across racist way appear ignorant blunder offensive watching course personal opinion might find show really entertaining go watch free one judge tried nothing feel office worse way maybe give enough time want waste time series particularly clever amusing watched couple decided worth time watched first episode zero sure supposed funny miserably first watch first episode freely admit could gotten better later second along know new sometimes take hit stride caveat emptor show delusional small town bureaucrat amy character delusional different seemingly rational whole premise comedy delusional audience supposed get actual execution forced painful watch unable watch anything first episode main character amy actress character stupid tolerate amy night live workmanship fine character watchable sorry say show maybe gotten better maybe show really mileage may vary say told save money really thing show show unfunny like office waste time time never ever get back like many people interest spiked advertising case show advertising sufficient interest get watch pilot program however done watching despite one review second season better opinion pilot set scene come generate sufficient interest induce watch another episode another logic watching fan show amy never watched took opportunity watch still care definitely people like similar office favorite show perhaps early need try one later low brain clever tried two wont try third episode waste time good could get subject show think would watch rest season get think whole season cost insane show stand comedy documentary none funny say stand looking camera laugh track jump format explain happening making consider stupid explain also camera works like camera person amateur could give headache watch opinion people seem like least come entertainment maybe funny trailer park ghetto thought process value add value mindless entertainment one worst series ever seen unfunny every level like office amy carrel everything series forced sorry even get break chuckle mostly sad pathetic consider entertaining dumb humor fan fan type humor like another reviewer said show trying take office said amy funny fact downright annoying show got unoriginal boring ever seen television think character supposed slightly mentally retarded maybe amy office got pretty boring season show trash boring extremely dull one big mess production recreation symbolic downfall modern television garbage thrown prime time television making quick buck avoid tripe strained little intelligent development show works hard set amusing one dimensional bit simplistic like satirize ineptitude government given liberal decline cross sadness want turn good novel really boring trying office nothing happening good cast literally nothing work like office like sort humor built upon people one beer short six pack yes thought watched big hair rock roller move slow albeit graceful along cyclorama wall continued watch would instructional regretfully fast enough repetition retention interesting watch impossible follow low quality low budget disappointed video could tell people serious terribly cheesy cartoon late love sadly terrible x noisy old look like right tape found junk bin station enough choke small horse boot get anyone really still use joker program service player soon done crap uninstalled first last bet stripped edit hey know busy trying figure hard hey put buy buy horrible routine ridiculous buy solo training martial goes self defense practice alone without benefit partner well known law enforcement community especially force need know mentally physically prepare survive must read anyone law enforcement video goes different use oftentimes starting non traditional sitting instead starting fighting stance throughout video partner demonstrate application also good verbalization one video like often poor form punching blocking throwing elbow someone multiple black different martial would see much refined people watch video new martial see black belt believe correctly always critical demonstrate perfect technique also goes find beneficial one section female assistant terrible form beginning video martial black belt yet kicking technique representative true black belt overall assessment solo training martial video would use practice provided information clearly experienced martial artist yet partner often demonstrate poor form inexcusable information video relatively basic really add much new insight training practice methodology would skip video boring probably someone nothing marital watched ten turned training class actual really something grouped training couple key area wasnt set like wasnt complete flop either weak plot ending think movie need see twice enough like tell joke without god name vain less comedy routine get first many garbage hate video beginner know anything taking teaching technique low key simple barely illustrate topic overall production amateurish thrown video together couple days back yard also video obviously becoming date according digital never used camera except cell phone might helpful took money deliver product total card give credit theft robbing people without gun know legal never use service watching video chef cooking demonstration easy follow great recipe trying something new would recommend first time wow family thanksgiving movie movie action ever cheap set thank guy remember dating popular good girl high school movie bring back old pay one long tease another waste time sort wash dog write letter aunt anything waste money one thing ever seen obviously longer type movie chopped made gigantic story made wonder going overall could give negative would get please waste money reason stop move raving made wait something phenomenal happen gave two effort heart flavor entrepreneurship love see sit play written kudos something original budget movie awkward poorly little girl potential though predictable yes entertaining high school play kind way film listed sex budget film sex nudity save money find something sexual bad movie nothing good say try spending time better watching paint dry movie poor every sense truly dreadful someone stuffed make look like extraordinary film like people guess actually look film star film touch reality product begin question validity write sent film amateurish beginning end would recommend anyone hope prospective read wasting money turkey bother take time check star quickly see thing ever movie really make wonder little bit someone may trying stuff ballot box one movie waste time usually view movie mentally movie took way beyond awful saving grace ended money admittedly good twist look closely purchase future obviously film flooded review section star like never good part cynical attempt make buck opinion guess sucker shame though garbage rent buyer beware promotion sexual movie well dont waste ur money time perhaps u want play somebody awful amateurish dialogue acting cost feel waste time horrible poorly poorly written poorly executed waste money convincing anything low budget attempt erotic thriller program movie short follow really boring would recommend movie seriously review believe take two flush roll toilet paper maybe get lucky overflow would fun watching movie knew want least cheesy funny know movie search comes movie build pay bad worth two would recommend anyone bad bad bad low quality movie charge trash either free movie bad dont need much review past promotional movie abusive control enough bad karma world without p p like waste time watching found really use element try give shock value offensive given background found completely implausible allow character life way finally many better ways could found put two people together manipulation hide background equally overly good make whole thing payoff shame plot far beyond believable even hopeless romantic development terrible acting amateur great movie anyone giving one star smoking strong stuff time title cover image description set wrong tone film came across streaming thought would cute funny movie going however cute funny idea comedy romance aspect guy basically stalking extremely quiet clearly disturbed woman staring open soft lying get allow sleep apartment bizarrely terribly rest movie upon trying make love towards end movie guy girl could think quiet introvert like lot weird little resonate worthless movie even watching free worth relationship unappealing kept waiting go ballistic beat crap stalking would interesting strange movie independent film shot small budget ultra quirky sense wonder two actually get together really wrong woman love whole thing strange thread throughout film ending plain flat painful creep father century hit home run creep category director writer lead female son lead male actor film back forth apartment video store works car opening montage video store goes sheepishly erotica film section quickly four convince one choice bad one take movie leaves fourth movie leaves three apartment building film apartment small stays welcome two end close car tiny place somewhat open video store strange open hair washed trash apartment act forcing tell people watch regular job afford place live creepy shower following around hard time believing two director screen writer trying hard make seem strange like yet somehow brilliant deeply misunderstood annoying constant reference pornography distaste genitals male female fact two well reasonable technically audio absolutely awful music way poorly film heavily build craziness two sadly frequently muddy simple shoot video store car apartment complex entrance apartment director use framing advantage fairly dramatically story yet random frame many jump abrupt incredible detail slow paced jump cut much later time film hard time decent rhythm one moment camera apartment next car next morning oddly addict trailer included gag reel sound recording ever funny minute reel one hour movie bit long ending dead horse bit hard film r rated younger oddly virtually nudity film everything film r verbal tried much film write direct star play bad love story well made film stuff world guy would accused stalker girl completely yet still put likely terrible film narrative main female lead disturbing twisted film cumulate cohesive story hope one goes extreme find lover way would date mental case chick like really boarder line stalking living car six yeah sure love film freak show doubt could watch super happy non ended like something want see movie think ever wasted two hour period time weird even begin describe movie slow start finally getting interested curious story end end instead something ear left wonder said felt like wasted time watching say well stupid get maybe old school something romantic follow people hard interesting took chance quirky give going maybe get along relationship lack thereof maybe see something like cover maybe relate move lameness chasing woman obvious anyway may full movie dollar discount bin movie two dollar weekday rental sure got nice dinner expense think like money time back ever saw guess people bad people unless never reason write certainly reason movie yep movie waste time nothing complimentary say movie least entertaining movie sense direction absurd situation ending completely realm believability cant imagine target audience would movie hardly spoiler girl sexually day doesnt sex known title would bad worse bad far dialogue crude language worth sitting script would recommend seeing relatively high rating thought giving try say disappointed would understatement really much development character stuck right beginning little explanation go may end know since finally ran patience almost hour stopped waste time unless want sit almost silliness finally understand extremely girl dad movie really likable male lead comes across creepy anything else clever whole thing flat direction writing acting pretty horrible movie first tried watch saw mostly favorable tried watch second time trying watch finally gave think wife exact enough already put something else watch stupid care start poor character development poor story poor film poor think whilst waste time absolute want know story spoiler alert goes creepy stalker guy frigid shut must father third act nothing go hope audience conclusion end really bunch nothing want life back star must come leading lady believe watched end movie boring sure worth lesson learned future preview first sally regrettable waste could take turned ridiculous premise one care free want money back really enjoy movie creepy strange really make sense ending horrible whole movie find incredibly offensive movie love story story control abuse multiple fact woman one abuser qualify abuse love story know explain without read intend watch title wish without foreknowledge story homeless video store clerk former drug addict stalking customer anyone remember every stalker victim way life listen departure phone call police accept eventually make love abuse victim victim longer finally leaves sufficiently thought yes strength abuse trade one abuser another still make love tragic story one broken victim lifelong abuse able break free endless cycle tragedy one sick relationship another anyone would call love story sad heartbreaking gritty unfortunately realistic bad movie billed story never ending abuse would good movie emotional well made billing love story though sick twisted commentary whoever wrote perfectly abuse long think know best claim love past stalking crime someone home leave crime touching someone want crime abuse victim mistaking love make hold interest story sub par acting along might enjoy really cannot believe movie really predictable needs get trying witty yet profound comes bunch white bread boring tedious twenty think trying witty woody reason add white bread one ethnic person movie except cleaning guy go figure relieved grad school nothing remotely like drivel worst movie ever sat acting absolutely trash trash trash trash trash trash trash dump watched drug time best movie seen movie tedious watch funny stopped watching way boring stop watching middle would recommend movie hard time believing much said dumb movie romantic funny laugh eight people make mess screwing able tell difference love lust alan character ass saffron character believe hilarious comedy really name one funny scene line dare insipid writing predictable plot writer director guy soulless save time watch something else six two love nothing original bunch around graduate school guessing writer director never got within separation candidate literature reading hamlet first time making stupid prince another candidate year old divorcee somehow must living cave whether couple dope enough get high budding novelist sleeping hot student really yes really movie cliche sophomoric rule beyond like still get made waste time shallow may real life people one know trite listed comedy see anything funny everyone sleeping around one although like several movie entertaining quite boring little angry enjoy prototypical self absorbed like movie gave shot cast watched twin instead didnt really like one rented days see buy didnt like much say sure didnt like looking one like type would help sleep didnt connect one production awful music loud voice white outfit white background hard tell instructor body really monotonous voice real problem super slow regular yoga routine yin yoga get neither feeling real yin yoga ten times deep satisfying video also boo streaming video quality piss poor interface whole essence yin yoga hold least three plastic like connective tissue time open hence looking routine yin comprehensively minimum length time completely disappointed ouch guess ready kind yoga stuff painful could barely get much less hold long supposed instructor sweet nice maybe try like bendy effectively work energetic associated connective pose need attitude hold time critical nourish mindfulness taught might offer stretch yin yoga yin real yin experience disappointed story like use net flix talking nothing waste money time purchase find information growing current issue high times cheesy low production value real insult legitimacy watched guide low budget grower guide word bad advice help anyone felt like watching late night seen ad waste money know dont guy legit grower saying put soil get light fan good someone idea growing good flix seriously dont waste money go miss two new basically blonde brunette character except first episode got funny background history concerning crazy mike entire season felt forced watched growing nothing wrong actual cartoon fact watch annoying cannot even get onto unbox forced designed specifically keep anime read read book yes people like read wright talk lost bit movie look latter sell movie list tell customer enjoy crass gross cheap violent scene needs character development like blue faithfully watched great hill street blues blue recently shield going withdrawal shield went air desperate new great cop show southland good cop drama realistic southland none three southland instead chosen annoying probably drop poorly watched like network miss opportunity pass one show excited see bad really great little jumpy one character next wire great cop gangster dynamic true state show merely viewer natural god given without perspective become today disgusting criminal serve problem show fact love cop definitely feed craving problem fact season missing disk yet hear back seller even though sent second disk courtesy respond though business important seller star rating sub hearing looking forward one checked box closed caption included float waiting broadcast wait put release utterly stupid cancel show even got ground great show stupid decision waste money like buy instead digital know recent put ray buy set recent series people rate show star people please show lame believe prime sorry even one season pathetic found series opener full usual empty gratuitous emotion substantive plot plus constantly interrupted finish someone home movie trip keep mind rent cheesy effects whatever home video used little narration somewhat thin bad home made vacation film though certain raw charm suppose really recommend seriously baffling thing show something least make available view thing print something find fox movie channel absence station bottom screen every thirty earth thinking half new fox initial drum roll fox come middle studio virtually remember fox grandeur p case cover art hunger today received first group fox like abysmal quality intent kill even leaves lot desire older version far superior little grain also sharp new fox r intent kill x fit two produced something appropriate twenty ago pathetic people days particularly movie buy expect dollar invite product quality ratio film original production dare say fox used cheap way stone age video tape particularly warner period produce demand great quality original studio archival warner particularly even lot current number famine fox company regarding classic prior fox countless beautifully back standard finally demand must cornered market excellent r sadly fox chosen cheap degraded previously unavailable product market due high quality fairly long period date joe public accept inferior quality already people written disappointment disappointment anger fox feeble paltry entry demand era universal times happy see older unavailable since initial release apart quality able see today expect better like th century fox film sit print initially cost proper current day hard copy master basic please upgrade th century fox roll studio eric good start new fox series shoddy presentation really interesting film film many interesting showing effects war mel excellent supporting role black actor sadly full screen scope extremely grainy boot note scope first wave series full screen men intent kill surely fox cannot format advice buy desperate see film pretty good movie concerning young woman survive right fall berlin u city made great deal shown time could get good idea like went quite good great touch humanity end th century fox flat pan scan unforgivable inexcusable time studio warner older wide screen major wide screen missing one third picture also pressing good bad enough couple picture enough people look little thin little tall good film poor great fox manufacture demand program order release old th century fox like one pan scan originally handful th century fox made e g sadly fox even video like warner archive pan scan fox decided release pan scan one strongly encourage everyone boycott pan scan fox program order encourage new also fox anamorphic enhanced video unfortunate result reduced sale price bad fox done selling pan scan version studio twentieth century fox film release date june warning full screen movie star butchering great movie weak plot new york scenery movie story line recommend standard bad boring really like think good actor much work writing boring even finish first episode yes show bad light hearted romp well worn trail violence dead added bonus madcap hilarity wacky thrown stellar cast abysmal writing anyone series remotely believable watched way much real life look like even funny lame writing childish silly seen something like many time boring waste time times wonder someone would waste money making one needs grow far found arable land patient maybe somebody sprinkle fertilizer future like main convincing great writing predictable cheesy series alright acting good good alright overly funny real serious sort middle mildly pass time pay membership watch husband plot thought would good try although get lot great review slow lost interest st movie one word boring rather understand second season could chemistry two first constant music new york annoying yes get need know constantly series made next think acting obvious mistake director horrible work could stand show would watch paint dry watch another show like incoherent story weak acting chemistry near failure think series end soon feasible way corny predictable could get first episode talented script lame work comedy really weak cop drama chemistry acting would actually pilot episode bail sure whether rest series worth watching never get comedy seriousness way place laughing squad room morning fellow officer please highly recommend closer instead great interesting occasional levity completely show show great cast writing production terrible nearly unwatchable bother even view computer operator problem sadly certain pursue satisfaction wide margin show really wonderful dialogue sub par know quite first episode particularly entertaining really bad maybe like boring could get show maybe good start way like series place starting miscast lead actress could pull fact detective series suffer bipolar syndrome serious tone series like law order stupid slapstick character different cohesiveness could see cop concept working restaurant part time basis seem ludicrous writing weak see one season nothing mind fall sleep watching go find quirky cop like detective straight serious tried hard big fan disappointed like ruff type detective enjoy free watched short time horrible dumb absolutely awful stupid could take quite watching series read comment program wish rate comment cheesy good acting prefer law order waste time watch one worst ever seen thing bummed show seeing many positive could even finish watching episode insulting intelligent people even seem dumb way prefer action like killing homeland let know disagree become prime member one experimented prime stable found really good otherwise even known also really bad latter category bad usually instance get st episode usually one effort order entice subsequent either shallow acting bad even focus plot assume one may care character another prime offering exceptionally well done clinically morose character plot intellectual substance full historical trash talk elite samurai warrior slightly average viking fun maybe funny half show spent station everyone everything break trying prove expert methodology supposed give well fun like watch use weapon defenseless opponent best scientific fact cestus bare fist almost triple punching force versus show different time really need know simple premise show stupid take different history ask would win dead ways people trained couple ago near completely lost equipment nearly forgotten seriously ability replicate medieval quality simply knowledge compare even special episode complete lack information training use classified mind would fine show randomly pitting bunch different show works set educate giving three minute showdown even worse method testing basically setting ballistics gel dummy supposed use whatever weapon guy background observing action saying yes kill really sword kill incredible semblance educational value thrown window supposed specific warrior craft throwing cheap obviously one another entire time make worse getting information flat wrong instance talking near unstoppable weapon destruction win fight problem weapon used exclusively heavy melee lucky reach balanced weight end lot people would trouble swinging weapon much less trained warrior completely useless single combat even infantry infantry combat kind misinformation popular show leaves literally reason watch learn something show every fact must flat wrong regular basis see episode devoted two fighting fight eventually typically based popularity sort short cheaply made want education look history book hell history channel would even better bet want good fight take look number regular fighting nothing good warrior nothing even mediocre show terrible waste time money show little bloodily vulgar science great concept interesting gratuitous bloodshed got old realism lot development distance traveled realistic based massive area show weird get blowing every crash wasted could used good purpose gave one star could give zero reason simple watch computer many also control property mandatory protection system demolition derby screen displayed something akin demolition derby property however cannot even watch without satisfied prior purchase learned lesson instant video series already ordered series identical series give material two different series seriously peeved title film decent people meant sure since nobody story right thing hero finished business hooker courtesy bachelor party see soon married rosario law office ongoing affair rosario cheating man help picture violent criminal needs million hurry add mixture buddy law partner extortion piling everything turns hot mess lying telling truth get next could interesting original story got fast reader none police standard procedure like sense since everyone something either stupid wrong hard find anyone root really get ending abrupt leaves lot unresolved end interesting movie painful sit provide viewer enough satisfaction effort rich source material uncomfortable ill puzzle theme thing vapor story much could done movie neal cassady unfortunately movie neither interesting accurate credit tate good anybody could neal since decided explore superficial neal character role fail movie mildly interesting black white neal jack road instead exploring neal early quickly fictitious search neal cassady quickly neal busted movie forward skimming fascinating revealing neal life bad enough movie portrayal ken al extremely inaccurate distasteful actor ken comes across fat bumpkin fan save anger watch movie movie merry stoned mean push superman keep dancing bear act continued use nickname superman ridiculous movie sophomoric point someone read much neal may come across decent story looking accurate source get made whole cloth modern getting control even finish watching thing tend offbeat want offbeat found way even clint worst movie ever seen lecherous unfocused pig human fish water desert film notable primarily first clint director would collaborate three later harry bluff therefore cinematic link two critical phases clint career spaghetti police however film uneven bizarre uneven bizarre supporting cast bluff worth watching twice dialogue stilted romantic liaison lone cop motif available elsewhere higher entertainment value example slone wolf chuck watching detective drama need look caught demand cannot speak fairly old release clint noted acting action film however let acting script predictable well contribute film story wish could positive respect one save money show interesting got less episode ending disappointed love series however watching three suddenly longer available prime need pay therefore cannot give rating lot people experience get bunch crap told make think going happen show survival without people provided many decent random food ending staged really disappointing care good concept carry look want fair assessment endurance amongst group people one relegate equal amount exertion amongst one guy cutting wood carrying weight mostly men sit clean watch hunt equality show paying large sum money made fair give contestant amount weight handle example someone cutting wood member take wood scale weigh carry amount course show amount weight certain trail cop contestant left away soggy wood time carrying load leading group half course everyone coat therefore law principle reality show fall make way weak middle average strength like caravan carrying protecting long distance travel inevitable someone die along way usually one likely male even considered physical harshness terrain weight rather would likely serving team show boring turned cop left lot expect producer motorcycle reality bunk ghost hunting typical fodder haphazard nothing less worth anything guy walking jungle night see never get see thermal image lens hate spent money would lot better film cut lot kept every annoying especially duplicate flashing title worth content good go gave somewhere season half season would pick run even season sorry specific since watched lame remember definitely apparent majority positive hold either sorry harsh review advice get better let fly freely whatever need make cast like mary boss quite good sister quite good new office administrator woman good mary mother bit overdone although let face good acting weak know elsewhere perhaps series poorly directed find unconvincing guest whose story particular episode impress anywhere like season one actually though cover four per disc two per disc needless say felt deliberately half season rectified true three received purchase one bought season cannot rate one quality season would say would well worth daughter saw ordered product paying extra day shipping particular date product days found one blank tried play several well computer make sure due one electronics blank gave poor review say contact seller well buyer money set well extra money cost shipped day compliment seller right thing according episode family watch one first big acting episode something completely different like back made mistake season law order watching one big mistake horrible streaming stream hulu serious stopped lost video audio sync finally go tech support tried get refund buyer beware told unbox application quality cell phone video really worst option use last ditch resort seriously ordered episode unbox video player win colors video image completely see image almost like watching negative problem many assume file corrupted unfortunately way get refund problem like let buyer beware free preview say anything idea film talking making recommend movie anyone thought feminism blurb preview attention movie plain boring good acting story flawed movie steam pretty quickly inventive creative someone truth truth demented product delusional mind enjoy probably believe every conspiracy theory living real world change beyond bore worth time much cost wish abort button kill transaction watching daisy de la first runner rock love third previous reality show contestant star flavor love franchise spin though memorable character justice show made many dumb people dumb nothing daisy falling quit episode comes back still guy end old never win saying loud clear top season rightful winner pack airplane final wish never watched show weird depressing neither entertaining funny series people getting failure appear court minor inexplicably elaborate lame talentless misguided probably break lot somehow try justify exploitative garbage show show might inspire violent crime sure look like feel horrible picture highly sure woman unparalleled devotion god call upon life worthy much praise legacy spoken dignity respect character high morals many sake film many praise ashamed slandering true character must everything love story trumpeting truth felt movie something never known movie search real feeling character inconsistent really true story would make exceptional movie hope made one day redeem legacy watching movie since remember seeing much younger person ago goes show sluggish slow moving stereotyped story also little difficult believe many ways sure good movie day today hate use word boring watch whole thing hold finish watching whole film interesting see considered good film white men key bad script interesting enough finish film excellent movie story work fiction could easily given well written well engaging beautiful story fiction therein problem movie notoriously afflicted supposition artistic acceptable reason make radical made invent reality telling story based upon true telling true real people something truth especially something people whose story told people care story know real deeply distressed movie story ways core several movie version miss life four bothersome love interest single lady portrayal love affair big screen never married ever romantic love interest real life extremely private force movie immoral meant nothing big think need write romance every story chastity set apart way extremely important miss senseless disregard hurtful especially movie left lover something never would done reality retire mission work shortly death racial bigotry character colonel miss supposed love interest movie also based upon real person movie hero full blooded dutch movie considered real man highly right change purpose send message white race could send message actually lie man true heritage even hired white man play part shameful journey china story miss travelled china adventure could whole movie perhaps much cut journey beautiful story god kept extreme peril able reach destination understand need keep move short enough feature length film journey important felt whole message movie trip rude name movie expediency leave bulk important part life spending precious film time love story never even totally irresponsible importantly god fail plenty people never understand person like strength courage drove life even though lip service given miss religious movie seriously point god even china first place painful watch really know express missing suffice say movie god reduced backdrop intensely human story miss reality god absolutely whole story people important still supporting tale truth beauty much greater whole human race combined first true love life shamefully china bring people good process central mission completely product central mission good news salvation human sin people china always like actual mission attempt marginalize story plain dishonest would better tell different story altogether tell perverted version one like deeply missionary fact ever change interested uplifting exciting love story set backdrop probably like film interested truth learn much documentary small woman great god find product b ref give far accurate view enjoy reading lady life found portrayal romantically involved man movie true would recommend movie respect gave great woman faith reality show making constrained monetary time pretty standard reality show much film personal professional need send back work would like another one sent let know need send one back seen movie long time ago know good movie gave gift made mistake shopping early time video discovered teen movie case instead movie late return movie return policy stuck terrible put wrong case sometimes wonder rational behind show like program supposed big bigger construction supposed guy need overcome personal former much time lost following fool around construction site supposed latter fool never every new program probably new thrown first program cable stopped watching precisely fool saw prime thought heck free give fool benefit doubt try well sorry poor little boy much distraction great interest related construction good around unfortunately one top checked later thinking may improvement discovered charge privilege watching fool sorry aint happen series potential informative buried uninteresting drama problem presenter imbecile series nothing going want show make fun got biggest waste two ever production quality amateur unbearable video different talking camera endlessly rambling experience moving new hardly interesting video footage country nothing inspiring man originally telling story difference recruiter immigration consultant guy interesting part yet practical information learned could learned free immigration site anyway bottom line rent video terrible whole genre trashy garbage county reality show content absolute crap sad part today youth afraid future lost like accident side road thought wa getting free prime alas would recommend taking first pill get feel like completely wasting time getting second terrible cliche group rather pretend exist get rid test stuck first season real northern new jersey three related interloper troublemaker caroline al wife leader pack caroline younger sister sister law tommy wife caroline married al tommy brownstone banquet hall new jersey married caroline brother long time friend daughter become movie star actress dancer singer star really crust show season sordid past two beautiful living caroline live franklin new jersey former home kelly ripa mark kelly got talk show gig look past actually irrelevant maybe truth past life prostitution stripping ago people trio mention reunion show caroline father law tiny mob style killing hillside new jersey mob fell apart tiny bought brownstone supposedly table gossiping among finale dinner upsetting hostess table given information questionable memoir author still hanging around trying prove still relevant doubt would find interesting three ex husband decency change name slipped maybe time publication unreachable unfortunately petty little action wonder ex husband credibility read except none really interesting caroline comes snobby aggressive scare tony soprano good day caroline matter admit couple find later sure comes across poor dull version ask interesting wedding brownstone see husband place something comes across nice sweet teenage daughter suspect like outsider stepfather family class private school stepfather car think husband meanwhile concerned getting pregnant even though already two enough guess especially see daughter car fertility doctor somebody works teens tell serious family complete mess drive daughter become star misguided husband built beautiful home family husband works construction new jersey wink wink know mean see joe would fit perfectly also concerned getting breast please husband whose life really soap opera regardless feel personally trouble gang like mean case caroline leader second command follow dinner first ex husband recently without credibility book anyway married two beautiful one model agency spot kind trouble maker role series expectation far better could memoir coming cookbook daughter major modeling agency getting regularly regardless little time actually spend together true star series without show series stand sure upset always like kelly group past come audience really care vice days young stupid past found like loaded gun seeing would happen right table past maybe like volcano see destination gobi martin milner one favorite got watching froze around minute mark advance farther tried two separate got result replacement got thing freezing minute mark refusing advance farther wound sending defective back guess wait awhile getting new batch defect contact let know issue little bit see movie quite enjoyable hopefully road get copy actually play allow see rest video plenty moronic going butt taken thing likely never fought stumble around patty cake times tappa tappa tappa one barely person face unsure concept boxing knock person two chubby claim culver city play tappa tappa one got sick fight work solid unless count former hit twice less play helmet comes obviously us believe suddenly lame lame lame went distance huh sure sloppy sloppy fighting concerned even potential amusement obese sister fighting two younger time got boring quickly certain capable fighting level octagon type video strongly long long way go watched whole thing would get better towards end luck worthless dub movie civil war western yawn photography good smith much realistic true grit stealing gun somehow smuggling medicine show wagon hijack last minute sell renegade highly improbable future doctor gun smoke cast e forced watch first felt little weird inside went doctor found gave cancer none play sharp never trouble player buy product rip well love glee received sound totally second disc well third given disappointed unable contact seller get refund seller please contact refund totally stupid life really nonsense front processional irresponsible love glee gay year old say everything great disc one everything back disc one huge circle wish could contact seller way contact seller would recommend seller could watch first rest even play disappointed never buy seller number series first unbearably weak writing stereotypical nothing see first episode initial group assemble manage perform totally professional sounding number know personal experience difficulty time involved group people even begin sing acceptably harmony course dancing singing problem singing obviously lip cast poorly time guess used story actually singing musical generally trashy material relation whatever reality actor gay male speaking vocal register octave normal range boy age character unbearably supposed still closet another member glee club gay reaction everything short neon advertise scene football game home team dancing like chorus line simply embarrassing subtlety apparently long suit series thought program going less genuinely portray high school gradually form unusually capable choral group luck hoped least musical would actually sung chance typical commercial television program dealing music subject music secondary importance also program produced twentieth century fox television fox name would stated twice dialogue first episode gave fourth episode first season use critic tasted first spoonful rotten soup pretty safe bet rest soup rotten super slow since promotion code thought would try much faster tonight sound everything still nothing glad code wasted thought first season dark cutting humor however show little bit success springboard self righteous sickly sweet handful good show product placement bummer many exemplary television favor pass one view good show keep enjoying people grasp show concept like jersey shore music audio video clear glee episode video kept stopping audio would continue video froze screen like watching still sound show one time froze one screen move start gave least able hear entire show miss plot series since replay funk episode summer show ray release glee wonderful original fun show love lot people feel also release copy second half season bought first half season volume mean point naming product volume going put volume poor form fox cover nice glee club even puck leave lot desired know maybe could release could put something would satisfy rabid like looking quality product definitely put kind release shame really fantastic show lame show poorly done inconsistent writing overall boring tired fantastic show anyone hard time sleeping care nothing script substance buyer reviewer also received fraud ordered glee complete first season set could tell right away envelope product fraud cover clearly photo copied cheap even real box comes cheap even close claim user fraud false advertisement love high school love music much found ya want win glee club competition much fallen love hey vet love military history alien trilogy terminator trilogy want see wall pasted bad really happening note moment pretty disappointed subscription glee pilot definitely star book following series went downhill music plot get uninteresting especially music totally different mostly obscure collection semi modern lyrical disappointing chime knew first set part one entire season choosing release part season one going release entire season terrible customer service know people buy part already part one come people oh think people plan release season one part make like stupid terrible believe let people sell fake disappointed look ugly like stickers box broken try fact truth also needs told unreal show program gay glee someone idea joke polite way saying program made talented people premise totally amoral us many new concept show people wish live way done show business one bit amoral immoral evening television stuff actual reality reality lost many people whole concept like toss around hand grenade quite frankly show terrify look late night interview come completely good show yes enjoyable show yes social made show anti homosexual matter fact homosexual also one god god extremely man man embarrassed people think closet somewhere along line much sexual content especially targeted age group would recommend anyone ounce moral glee one best ever become classic goes without saying anything show give five reason fox significantly greater care issuing ray product irritating come across poorly designed executed product find irritating printed episode guide furthermore episode listed disc well designed product would included printed episode guide ideally name guest star included find included say disc one play disc bad bad bad fox stingy ray image spread season five avoid necessity super compression result colors vibrant detail fine one would prime show sound would fine show glee one something spectacular like ray deliver splendid home system box sound master audio well system would really like know come front even bird sides cast everyone anything show damnation produced sub par ray issue new edition expect us dish cash shameful volume like lot people feel unless release volume reasonable price inflated went trouble correcting purchase another glee product maybe wait get someone used copy much reduced price long fox getting money think great guess probably one thinking way see fuss al show wonderful however really terrible case split spine difficult close neatly ashamed package product manner know else complain sorry everyone season volume glee road release saw glee know much cost everybody relax many people like show got digital copy friend guess making one season available buy get blue ray version less disc quality blue ray great seen several find annoying song get want lot show nothing really great amazing recent single ladies annoying song like great fox pass one prey even better loyal customer several much set first time price change mart h included sorry send item waiting month money still parcel buy refund love show wait show first half season came course fox entire first season current possibility second half season slap face loyal first half amazing season th disc last episode kind disappointing work fine upset might buy whole thing one disc livid season volume go season volume thought entire first season bad enough buy separately pay include pay additional get rest first season rather ridiculous really make volume would play v view computer play time may return item joke mean really known would happen buy better release glee season vol seriously mad though really seen many full program seen mind awfully dull even though enjoy music lot times fantastic singing enjoy many covered awfully bland people might think differently opinion like singing series learn like extremely nice convenient service got completely ready pay start following series get within us due video demand must united matter paying video mildly political correctness constant gay agenda right wing hate show glee liberal agenda hard show hard enjoy realistic entertainment unless liberal constantly pushing gay agenda teen sex show unlike show pretend liberal show make obvious let watch ever terrible show like making country worse place live bad bad want rip put bad like show tried worth time know lot people love jaunt thing television really dropping ball past two several dominated consistently kept fell apart falling victim plot plot flat bad writing like true blood desperate even like night live family guy seem maintain greatness recent glee sadly different pilot genuinely promising high school musical show albeit much grown tone around slew different high school progressively coming together joining glee club squeezing enough plot make time least two musical episode first handful mostly strong blend good music good sharp dark humor however glee self aware notoriety fiasco lazy writing cheap entire second half season one mixture offensive smarmy predictable cheesiness show pride underdog glee speak world glee loud overbearing quiet fashion straight man stalking representation easily one unappealing stereotypical homosexual recent television history metaphorically virtually every assumption stereotype paranoia toward gay community given murphy among core surprise show humor bite become overly venomous latter half season far much focus weight sexuality surprisingly large amount borderline misogynistic humor young enough surrounding today induce insecurity glee ironically love unconditionally pretense several contradictory one episode example coldly unfunny joke school old club point laugh group overweight pimply right along rest sadly misguided popular addition earth extremely attractive lea supposed represent ugly unpopular girl explicitly show universe beyond series sense plot season comes close almost entirely self gimmick frothy course highly believe music meanwhile stays fairly strong toward beginning show unevenly wonky mixture contemporary age old becomes desperate attempt please everyone course ordinarily ultimately one lea amber riley genuinely excellent large majority remainder cast terrible particularly male lead monteith delightful usually even jane lynch save disaster spite public led believe make mistake glee underdog another face crowd angry condescending hypocritical popular series conservative could given star would unfortunately star least score could give need glee season one volume already would pay another insanity bonus lot disappointed purchase especially since think new set glee lot energy dancing tops like several old high school character sue supposed show close acting top headmaster wrote fault creator always predictable well show worst intend use gay character like student make extremely character straight cast look yet play straight gay stereotype glee offensive glee club least season one stay background really get know guy always seen piano every episode surely story show part club glee appeal fussy think either daft forced buy take genius build show around tried tested popular otherwise glee substance plot basically shallow superfluous version teenage mean compliment even high school musical would depth original music watched see worth basically best cast singing snooze time plain jane jane lynch character vogue substituting face video grinning like cat newton jane creepy awful smug like scored brownie methinks men physical video would rather go one another jane loser hand dumb someone trying extremely hard start trend well got one one finger bad one minus ten however since decent singing lone star given reluctantly glee buy get sung original singing fantastic first adult juvenile behavior tiresome also mean spirited e win cost regardless becoming often mode de learn progress guess today poor example hold shipping label box three four seven disc set actually player computer like show production poor quality prepared send back set worth additional cost season set really get addition journal extra standard quality show starting make soul hurt research surrounding concept minority representation within network television mixed cast rate item never received due terrible delivery service provided awful follow telephone long distance still never extremely disappointed angry month later still received refund either younger generation found finish watching first episode continue like many bought first volume season wait second volume season one forever apparently oh well wait love glee one favorite television right excited notified glee season volume would imagine surprise got notification glee complete first season thought mistake read around find mistake extremely disappointed intention paying series already half mad made clear volume back original officially decided expand first season nothing wrong however volume misleading volume refuse purchase unless cut price half make money already spent volume get rest another way either something else really though whoever charge marketing needs position want entice people buy complete opposed individual add like exclusive content limited edition swag give ultimatum either paying extra lower video quality sorry yet see reach full quality live action boring predictable bought gift wife show save singing dancing daughter watching garbage like please make stop ability order like account want quit knowing road season finale season next week went line find release date glee season vol imagine disgust found season vol release buy st get well refuse give studio greed something already worse comes worse wait find item used buy second party th century fox nothing addition minimize spending money movie fox urge must ban together stop corporate greed hope courage print review since buy year recently bought glee first season vol obviously insinuating vol get e mail pay complete season thank rip paying twice anyone bought vol given option buy vol complete first season without sinking duplicate completely misleading known complete season coming going vol would never bought vol guess knew get rid somehow call complete first season starting pilot may ending journey june considered part one video store complete season good deal marked incorrectly ask sex cup tea like lot huge fan show got copy volume came later could wait long also notified second volume would become available furious many fox later site volume coming sale region work rest imagine resort radical action scum responsible quality video poor almost impossible watch better different source outright video load browser terrible unbox otherwise love show wish better digital product disappointing trouble sound getting straight without blip mainly watch far stress sound awful show series melodramatic overly pop numb brains people beyond childhood eye roll genuinely funny jane lynch comedy raw edgy intelligent addition show basically idol possessing school fan idol teeny show watch run vapid melodrama run amuck jane lynch help keep sanity avoid watching train wreck unfold originally discovered entire season available streaming excited wait unfortunately severely version best missing entirely made show famous completely missing purchase car read big reveal pig farmer missing hilarious confrontation hairy nudist pool missing feel really tried watch movie got worse disappointed would actually charge supposed based true story much romance going actual story background sad sad sad know spent min old ugly weird family restaurant enough time spent visiting cool black beach least cool beach even mention red white far cooler watch min two ladies drinking wine waste time hot people go people pretty ridiculous well amazing place show justice even well fan especially belvedere scoutmaster similar character fox recent made demand release belvedere bell fine recommend however copy scoutmaster dark grainy literally swimming grain look like liver crawling maybe made worse watching player standard picture probably dark recording black level affected grain grain part movie recommend wish way communicate fox need better source copy imagine one comparison old recording doesnt appear grain watched first part husband like first time move like documentary fifteen ago looking forward seeing architectural change community currently hell kitchen compare community knew late early yet director content close close people would consider rather rule one statement hell kitchen made mostly would know people shown fit definition able play horn musical inclination spent time west side hell kitchen talent palpable many small sold inexpensive beer booze amazingly talented stage audience full struggling real community magic time ha ha corporate fat bought every building could get grubby used scare tactics turned heat hot water electrical would go time soon people whispering long island city jersey city many knew talking moving knew section right next polish community lot industrial along waterfront well wound next artistic yet fat follow know create community opening small local talent may next sons vision talent go long island city go red hook canal even park slope renaissance third avenue industrial going capture unique disappear want middle scene documentary big time question going capture disappear found completely boring lot history could covered read thought still give chance live area fast forward entire movie first bad watch variety variety different although worst seen worst list little kitchen way much luck live learn anything kitchen want disappointing much hell kitchen current went high school late area known hell kitchen quaint dangerous sort way sure full many would kill soon look watch seem historical perspective never exactly hell kitchen intent unromantic area quiet day un billed another look like see like turned min waste time nothing like movie slow stopped watching also sound movie clearly start trend god help us one dreamy meaning color regulator probably work washed sepia tone film lost innovative glimmer sound quality seem like tin instead script sure say written live film funded farm board dot something since trying pay homage show please toss likely half reading page oh dream seem like hey would cool blow dude fit anyhow happily watched drinking game take swig see moment dead liver failure one make think wow actually rather office watching acting horrible script gave apparently trying work horrendous script shame director producer script writer forcing try act story terrible effects terrible obvious everything done front green screen cannot possibly fathom like ever make distribution form money fake movie even sit st min thank god movie story way track somewhere making sense worse home invasion film ever seen eric understand joe jane kit marriage drive upstate lake cabin top marriage communication later find joe much father someone never blah blah blah home two mouth claim know childhood people remember point could really twisted plot chose thing think symbolic communication marriage issue made film understandable enjoyable consider warning parental guide f sex nudity joe jane jane getting forcefully go watch something eric instead love child kit band sorry way slow boring keep interested acting mediocre best could really without acid trip like confuse help story another low budget slasher film decent help carry film every moment totally predictable naked girl shower nice full frontal course going die short cut good ever come flash bit annoying sound badly regulated background noise time looking b rated slasher film one enough keep interested made minute mark wish jeopardize self respect really wrought introduction complete gauzy horrid restaurant music pretentious profound body painting mutilation bad enough already tone voice insipid rambling narrator dissertation passion something way top contention start film history shame even death could silence imbecilic voice way rally get caught civil war film civilian slaughter seen guide plot week violence seem survival combat fairly well done lots ethnic hatred absolute worst movie audio movie like cheap toy microphone short background music several time lot barely audible worst movie ever watched well done talent whole suggest finding another movie poorly written worse could done better movie sense two wife sung event florence sweet engaging person movie theology story much like prize cereal box free highly plastic quickly lost slow pace around great appeal cover fell short movie terrible stupid idea knowledge heaven got classified movie heaven name lady suppose gone heaven hope one worth believe florence money bad make movie waste time predictable silly feel good pull think florence forte carol good florence poor story odd good way tried finish see ended like watching two stand quit halfway movie worth time though premise good develop anything worth keeping attention heaven shallow difficult many times lose close relative determined would parent real world show hard enough accept sudden death parent even child handle determined mind set child would mean parent disappointment would inevitable sick tired trying decide seen start look someone telling entire story spoiling whole movie supposed plot bombshell tell us character made feel everything whole movie critique cinematography light color whole plot ending see cannot back brain taking least could would write spoiler alert feel must tell whole story let see let perhaps review notice done light dark outlook character discover bah humbug guess another one bother watch great see florence knew film likely farcical found shallow definitely appreciate materialistic supposedly hi tech hedonistic portrayal heaven era interesting costuming fun film evidently audience think portrayal marital intimacy appropriate would watch would watched first time known definitely absurd sure point movie able finish watching respect lord disappointed movie movie instead got movie theologically inaccurate barely made movie probably turned finished great script terrible story weak might appropriate elementary aged child grandparent really care movie less mediocre best kept waiting get better happen best part ending sure exactly came aware movie help wish give decent enough best thing said everything else film terrible borderline unwatchable make mistake avoid bad bad said without humorous cute jerry lewis whether like one people world time fresh pretty however worth rental fee purchase price maybe worth half would play player foreign language possible could inform get u version know wrong dick display energy jerry lewis way way heavily yet garner single laugh jerry distracted first truly bad movie listless direction embarrassing script lewis perform title song best aspect space sex comedy remember early show may recognize one star looking buffer ever determined young man avenge near crippling uncle pair drug movie action countless film sincere attempt take serious true bomb tough swagger induce audience take serious actor since really done whole lot since guess audience see way though little weird one favorite great find one thing would suggest order full season lots different give free spending show appreciation thought work disappointed love show wish could fix wear would work old hit button thought ugh waste time prime free worthless like something short could watch nope even worth much short even get granddaughter thought commercial thought movie care waste space kindle movie made preview thought suppose get inviting interesting film good graphics regret wasting time watching clip even long r delete due good video grandson even interested watching keep grandson attention love terminator series fun bit story think enjoy however little story much video game action really never stop thinking video game watching movie story plot clear video game fan fiction type story made animation would see video gaming everything caries jerky animation quality common older video still actual story several fun respect engaged terminator saga would give c grade story slow boring hard action film graphics really good ready movie making opinion technology yet graphic fall flat still fun see classic terminator series even real story less visual interest movie video game different animated movie tell animation like walking sync like love sub par pretty dull poorly animated movie blair terminator salvation movie direct movie broken long episode pretty boring cliff hanger final terminator salvation movie basically six meant shown web great compile best idea everything felt flat flat got tired hearing machine gun end st depth sound like gun fired far away less sound right sense danger either evil come shoot machine found shoot first walk middle streets instead evil survive snap neck instantly sense danger far better like one red dead redemption honestly came idea terminator animation thought good wow wrong graphics pretty lame story rather lackluster movie poorly animated could forgive plot halfway decent even close satisfying really expect much terminator franchise days movie pretty much amount huge terminator fan every movie series series wish never bought digital age new black given collective permission choose capitalism content build fantasy piecemeal instead real fully story terminator series video game audience play graphics video game graphics dialogue video game dialogue short largely pointless machine gun fire running series deliver emotional content intention support weight war survival scenario established terminator franchise terminator salvation met mixed due gaping plot somewhat bale little character despite lukewarm reception movie fun solid kyle reese spot sam movie time transplant wright terminator series would enrich experience terminator salvation way matrix series deliver get better feeling blair character addition thin best future production would wise follow model hire superior decent connect franchise manner upon mythos instead simply profit originally saw price tag bought lot hurry good effort crew made wasted talent moon inferior movie right idea technical crew animation highly unpolished dialogue cheesy repetitive notice even mouth synchronized ended fast forwarding time get closure somehow get money worth love animated one probably behind current technology offer thought going similar ex mistaken ex probably model kind animation although process making think somewhat different play want pay dollar like older game free might watch charge dog bark wrong terrible like someone video game original copied worst film flow fuzzy maybe made someone home computer disappointment terminator x box know bad game see bad graphics whole bad graphic video game get wish star would rate thus cheap video game quality animation even format purchase series waste money time much general talking music enough detail video kept going different ways would recommend video featured presentation imagery poor pretty architecture wait till start talking film goes blah blah blah big word big word blah blah blah convoluted thought blah blah blah live blah blah blah blown blah blah blah boring even fan architecture international pretty good movie documentary architecture character movie good constant made many unwatchable love series hope corrected first came cute stupid like expect action cheesy poorly directed like expect really tired driving living million dollar home rent really piece unwatchable simple sound sync video almost sync sure us experienced media progressively worse five ten video scene watching sound almost full scene sound chapter chapter b show talking hear conversation clearly related topic beyond sound issue obviously produced much experience took big hit team stay away sound track impossible watch read review pull site home rest relaxation find small town fallen victim series brutal mysterious stranger first film horribly made unintentionally hilarious little plotting film murder mystery little suspense killer revealed opening audience also start killer werewolf yet dragged along police fumble murder scene come conclusion hour later night shadow poorly like endless string awful one young quan creature effects gore satisfactory budget excuse found talentless production carl like horror film hold interest first hour would better put werewolf action sooner rather dealing series crime left monster last twenty way better film sure information accurate justice learning process feel outdated even though information still current much massage world fell asleep sitting chair must rate accordingly sorry pro student school lots people practice may enjoy right sponge bob jerry list want watching review r huge fan daughter also fan added prime recently removed aware many content daughter like back hand quickly removed probably someone found offensive ridiculous given cable ago nick happy happy joy joy disappointed learn content bad old days blockbuster content pruning rental fan think along many popular like sponge bob toilet humor mindless check ridiculously irritating check perfect dumb check really laughing watching one waste time episode much thought put better seen movie maybe disadvantage well practically knew everything going say said camp harder football camp used kind like told something case one make particularly want see movie may serving intended purpose regard either terrible sound waste money understand half funny hilarious plain dull wast time money wish could get back money year old half decide something else prime offer best selection engaging advanced girl age group unfortunately pretty sure ni hao kai lan produced government rudimentary understanding language invade us force us kai lan incredible generally terrible kai lan blank stare audience question guess better fresh beat band like saying better fall wood chipper head first rather first obvious cheap rip series house show caricature complete total lack understanding house wonderful unique especially horrible portrayal professional psychiatric setting totally inappropriate help cringe every time one scene hanging awful word pass one enjoy new series remain library rip pay see way get money back believe actually charging assumed going learn prepare raw worst thing pay ordered watch cooking show done raw style get thirty minute program selling book ceramic yes demonstrate four raw context trying get buy basically less cooking show buy stuff thought would music said narrator appalling footage dark would anyone never watched idea come kind error sure typical era think could tell story like without melodrama soap opera love story story mau mau rising deserved better film performance want watch old talk music movie interested concert recording one favorite actual disappointed excited see little real music band lame waste rated blah movie always spectacular actor though female costar beautiful good actor would like see worthy good movie though rented antichrist prophecy fact minute static shot room man frame times show camera pizza box change channel pick chest drawers show camera twice camera times show barely visible dim light low film quality film somehow snuck quality control dialogue hear background occasionally baby cry another room like joke really bad video seriously save money imagine made confident long video like made six year old basement one evening poor video audio quality well god awful content coverage career able watch til end nothing hack job people may said hi band member summed nice guy talented boring poorly done way expect product wish would hopped read first wasting couple yes worthless opening couple original music way band wah wah epic fail part even though description title obviously super misleading nothing authorized even watch terrible music montage people knew worth dont waste time money hardly random talking boring terrible unauthorized video actual music since unauthorized basically interview former band early days piece garbage movie worth two spend couple get concert footage authorized production actually boss music well going buy show till seen cut stuff seen dont buy shame unfair could stand watch show really like reality watched confirmed great dislike obnoxious dad poor old news boring self want watching cute like see one better one thought would look many show fox library taken domestically venue film pan scan idiot charge operation capriciously company target audience deliberately wrong readily available excuse cost penny use correct scope element sitting shelf speak fox charge let give movie wrong version sheer perversity choice pleasing audience making hate fantastically stupid far interesting audacious latter welcome st century th century fox originally made th century fox fox cinema collection pan scan insult paying public technology show subject pan scan version goes back original ago love collection refuse buy manner come fox right let us originally seen stop insulting us please public stop pan scan show fox want best casting film tender night totally wrong dick diver one worst casting role would perfect based looking like dick diver superior actress younger actress would role watch film quickly stopped first beach waste money time read novel boring could sit entire movie book somewhat movie duly casting unfortunate first sight bathing suit director try cover actor weak somewhat robe first glance late gone seeing romantic hero somewhat overcome latter part story character becomes fading kept older husband affair woman worldly wealthy actress dusky mad beauty whose reveal everything dark mind setting true enough casting little weak lover start delicate ing actress quality hand drunken pal title song piano perfectly done however someone set would think place upright piano view patio elegant pink villa rain must rain sometime seeing treasure perfect great film old farrow al one bit disappointment wonderful film old transfer aspect ratio outrageous fox publish movie without good transfer contrast release warner wish read however excited finally see ordered quality akin old tape fuzzy soft pan scan wide screen treatment th century fox ought ashamed film like condition blah use buy disc play equipment computer probably worst picture quality size buy something different previously unavailable movie title purchase fox cinema made demand program per usual pan scan tender night proper aspect ratio vintage poster art case even yet customer picture percent every proper frame movie chopped fill screen television longer order appeal small fraction people would interested product question fox program exist exist fox care enough bother making available stuff old vault onto either way way warner archive collection choice collection universal vault series treat even defunct limited edition program generally gave presentation although often non anamorphic rather get explanation material available produce sufficient quality presentation instead shoddy copy part see end video misleading give somewhat equal time topic though similar idea great made show far less appealing perhaps less interesting footage less fact filled narration series people involved process sometimes far less effective narrator concisely describe going especially show feel like learn far less watching show made per episode rip half price modern per episode price see show went air many blurry like difficult see subject matter people people property even victim food pardon pun tasteless show might appeal th grader much r rated content make show appropriate young audience clear star rating show star far amusing pet clip series bad enough series genre lame anything funny rancidly canned one apparently comes everything else crack might make episode ten first one believe anything poorly done could ever received air time dump bother unless thought plan best film ever made completely blasted call fifth grade senior year price free really bad deal remember ever idea hell seriously confused let us leave logged apparently video mostly trash garbage mostly naked people finish watching worth watching waste time thank nice video go trash free prime watch nothing special time watch much pornography watch first episode kind ruined watch without lots nudity expect video make sure bed watching furthermore offended nudity watch seen moment moment lily close free dog also watched bite hard appreciate since junior high boring terribly bad quality movie waste time piece low quality junk family funny show turned right away thought might funny nudity good family little bit information lot definitely rated r room younger brother lap top glad looking shoulder often even able finish episode maybe jackass really old mundane video far back grand daddy probably watched first run video yer grand dad think average person laugh put banana peel path slip funny disgusting outdated poorly shot usually stander camera thank first episode free thanks prime aint even considering even watch free episode dull saver hard laxative something else great relief happiness spent long time could plane film came like negative unwatchable think needs get let know program play film afraid buy anything know play new purchase sorry idea fun entertainment would hope people would better time funny clever old geared toward way could pick mimic real cartoon udder male bovine typical uninteresting dull cartoon snooze many person watch come side rail stuff mike mart would sadly catch known company keep hey mike mart little department clean enjoy lure show deadly profession front idea someone would get hurt lost sea camera wish happen anyone instead got another reality show people yet another job without grown family testosterone laced shouting dramatic show ever got caught frozen north except frozen north sea part everyone already experienced show family dinner table best one discovery channel instead production cheap could get people watch people screaming yelling way many cute show back feel getting old feel let success go head show excited receive copy cake boss disappointed unable play time every episode know episode worth watching go hulu convince give minute teaser pilot first episode pretty good got stupid formula get brother becomes super annoying unwatchable another boring wacky series time obnoxious spoiled rich people waste time effort electricity like show really quickly disinterested little show main character fantasy man wrapped big bow smart successful doctor rich also deep brooding love spoken fall tell guy actually premise show becomes private doctor rich royal somehow standard health care poor except one episode actually medicine local free clinic guy afford help poor people show robin hood medicine like taking money free little actually often equipment people could afford testing done private facility whole first episode meant endear hank negative light never fully anything even bad way could use doctor like still want job assistant basically show kicking screaming hot chick ready drop panties learning name convince stick around give try find nothing wrong wanting get laid character motivation great guy always tell brother character screw thats screw ever mouth episode screw apologize already screwed problem exactly end season guy often eventually someone grow boring know every possible scenario female lead mess charge department hospital basically job mess drunk fool hank guy quickly humanly possible actual portion interaction oh yeah husband free clinic idea constantly free charge doctor work hospital normal person like fired ago concept good seem forgotten develop even keep show kind continuity stopped watching royal predictable character development forthcoming brother bright smarmy pretty shiny series much meat went back watching law order new fire like genuine risk protecting people grapple serious ethical moral like real discovered little gem seeing network couple however taken time watch today watched season would guess absolutely saw huge fan sort happy ending character driven though deep type show simple yet realistically believable certain continuity well two watched also involved much older henry father go story however say show worth time money however price manufacturer make season great price ridiculous say purchase price wait sale get used refuse pay tax shipping season less good thing sell used great wait well worth time investment show look good show disk set expensive buy new series interesting trek medical series offer would doctor always comes character review get depth people guess purpose give quick could buy supplement knowledge couple historical mostly factual thought would amy really doc mission compound currently nice architecture learn much watch animation stop normally first yes consider animation art expect understand art case art money art value imagination part art see complete lack series said time somebody produce animation worth luck huge fan super happy came back need review series got previous series awesome package unfortunately season quality everything made flimsy single layer cardboard inside two sit miss old plastic dual give product one star whoever charge needs wake cardboard slip disc hell couple like love rebuy cardboard slip get wrong fan since beginning however last purchase decide use another couple put plastic case angry saving world cardboard box still make cardboard factory print ink want treat badly need money fifth season ever gripe well perhaps fox correct taking air original four excellent classic television still brand humor totally different format depth volume five beginning end show really funny fall flat fan since beginning series believe fox make easy sometimes ever time every episode show home run got right really got right series whole terrific really love new season ordered without seen new beforehand read mixed hoped best help think hoped little bit harder would turned alright made sense watching new painfully clear given gone charming witty made first four great incoherent rambling spewing cheap redundant boring dialogue short trying hard recreate feeling old aping previous without support decent character development good sign whole show flat superficial old superb writing bad news though update day non stop series honestly say mistaken true joey insulting stereotype chandler ross annoying hot female phoebe coffee plus monkey monkey whats love know vulgar cigar smoking robot apartment huge probably lost background somewhere wait season wish series stupid reason season first episode listed hot actually episode season thing fifth season came last year bender big score beast billion bender game wild green yonder anyone wit artistry brilliant creation sad see needlessly going tube way south park family guy hard remember long ago fox cartoon network funny clean course coarse probably even tell unaccountably let thou comedy central get downhill spiral fox done nothing arrest worst probably da trashily written probably actually write something decent since political correctness course free drench episode obvious could appeal readership maxim magazine tasteless writing deserve anything subtle course era bad people probably go home night making show call dult anyone actual brain need trashy writing show would far greater without could gone high note used probably best animated show ever made one reason watch wait renaissance real future everyone excited came back crew went black hole lost wit kept show interesting get crew head season defiled corpse really plain embarrassing watch stupid forgettable entire season like episode stuck middle naked literally nothing sit around naked say fan say service fan service fan service guess supposed substitute anyone else sheer amount cartoon nudity stuffed episode like think reason people love watching show see naked maybe people gave abysmal season season instead story get political also prop infinity episode nothing getting soapbox telling everyone think prop thanks forgot synonymous political mean watching milk watching care writer political especially nothing say opinion prop shut get back good show oh personal favorite episode season finale probably titled mutant pride episode literally microphone yelling mutant pride mutant pride mayor whoever mutant pride turns mutant wow real subtle could never connect thanks swear go vote whatever want long shut politics get back good old self go space adventure comedy soft core gay pride rally prop leave damn show care going bring quick subtlety center around well written love letter old fi nothing corpse together prop bumper stickers shambling around strip pole trying sexy fan ever since seeing first episode comedy able pull series outstanding sad hear show also excited hear bring show back series came watching days awe good awe bad awe different new seem previous entire believe couple laugh loud creativeness semi realistic first forgotten new approach humor taken season seem lot less interesting get unbelievable unrealistic agree review whole heartedly season recommend anybody try watching first wish would saved actually favorite cartoon excited upon hearing series picked comedy central four straight best really kill series season however seeing comedy central gave impression series stayed dead writing low quality even stand shadow former self though continuity never huge part glaring make feel entirely different crew worked season worst part people part disappointment know better hope people remember first four trash collector first purchase even acknowledge show fell love decade ago season actually season season five rebirth season devil idle mistaken season already season warning contact problem weird season last produced fox comedy central picked season many syndication one could make mistake idea like said es es da la la es mediocre de al de dad absolutely love content great able give unfortunately cardboard total crap watch often careful spent good portion life shelf bought shortly somehow still get point even watch half disappointment purchase would suggest blank plastic well end junk first joy first four funny edgy weird fun watch provided least couple per show went air came back disappointing one good example script couple couple bender time multiple times alien take earth universe rift add worked mess make worse disk thin cardboard folder like something would find bargain bin dollar store protection surface disk free rub cardboard costing unforgivable luckily watched friend house one collection dear season five season episode better information get cannot advertise something something review video demand movie wanting see original movie picture right description wrong think getting watch great version think bait switch thank goodness right one home version keach sheen dern truly great movie horrible acting simplistic without thought provoking entertaining considering lead movie innkeeper deep dark secret original movie title deep dark melody innocent beautiful child like wife ground one day stranger comes call thought accident take management b b finding lot nasty little big thought knew must realize know plot movie would mediocre bad one acting trite generally horrendous however bad start slipping fun entertainment category simply virtue fun watch cringe grit teeth wonder right mind disaster definitely one enjoy wincing find pleasure apart scene scene truly piteously bad acting movie sad admit one people least particular movie concerned understandably torn rating give unintentional entertainment star missing mark intended hundred add like otherwise truly painful little movie pretty b b grounds around colors nice ah yes truly wonder ever make update available free prime fun interesting information included movie information dry un entertaining save money read article seriously footage middle east tried narrate anything nothing explain connection seriously would title great content shallow narration moving nothing made think interesting production quality poor even bother finish watching sure wish way could get back well time spent time taking write review warn people waste money disappointing would really like see quality scholarly production topic love educational historical political faith based finish one boring nothing see move along garbage give people something good entertaining watch sick stupid reality want something someone else sit back enjoy bucket popcorn bring back blade cruise someone good watch care see somebody stupid back yard waste time money like crap paying watch horribly chopped video kept stopping hard follow way wish would fix far go format disappointing got watching read thought gospel mark man reading gospel strong accent good part beginning going along pretty well thought nice flick toward end getting pretty boring quite strange shorts pretty neat whole well rent couple like one based stein one dog training passable rest well well written disappointing fatuous sentimental finish even free would rip say narration ponderous dull lifeless missing discussion meaning life mission must alive time face attempt resolve face ordinary people different none depth understand title informative keep attention better said make sometimes turn worst like heaven right top billing dont go get cup coffee might miss bad film great cast went waste holden first pick thankfully grego pass one made one last film rebel bad bad two sad great actor made many screen love film many favorite animal mine quite problem film replacement help dan beware bough film ray format twilight time rather hefty price unfortunately play menu cannot activate start ray player old new well think update issue rather production defect someone else experienced heaven ray think top chef star show repeated disappointment drama competition clash focus food charity event perfunctory best would shot arm bought episode bother see long story short boring bought complete tenth season gift original box standard case time match posted left unsatisfactory feedback extraordinary e mailed discrepancy distributor whole series different way spur refresh series addition free refund negative feedback foolishly request received refund obviously need pay attention detail set would one complete th season repackage want buy complete series collection stated buy season separately separately different set aesthetically unpleasant thank god went away proof people watch anything never funny never original never interesting show people one new york would want show bunch boring bunch boring way going may never see soon joey people world give crap talent like used got quickly flimsy one broken bag good condition sure play water outer box scratches one something box like puke good think hope play never buy hastings like season always watched entire set season within couple even long season nearly two finished second disc desire acting poor story seem forced really find great yes still good season part think big yawn love show get wrong watching back watched faithfully series finale even cried knowing really miss classic watch time want bad especially considering show went downhill toying idea joey couple ah opinion already feel guilty fan got set complete without series one worst awful horrible seen many people let honest season featured amazing feel though making money yes least kill funny maybe grew certainly fit quite beginning season per say say funny mean smelly cat funny chandler messing around joey funny going chandler going funny days maybe ross emma gave show mature twist whole series season like soap opera phoebe constant nonsense gave show surplus chandler joey camaraderie gave show another surplus chandler wedding brought show whole new level seriousness matureness ross baby together gave show knockout phoebe apartment painted bright yellow color obvious bring fun phoebe balance show seriousness relaxed ambience late show screen grown alongside phoebe apartment phoebe gray colored phoebe brought yellow wall true joey never like rest kept joey alone stable relationship secure ticket whenever show turned way serious turned joey balance show lack creativity turn joey mature character ways gave joey took away evident joey turning supposed grownup sad joey puppet show know season would like think best show ended season even though graded season two star rating give show star rating lot thank looking round daughter series collection looking old style thick box entire collection would look shelf sure content mark satisfied still looking old style picture th season like picture th season thought made right choice th season bad ended six seven show story already told good idea particular season awful tell rush job weak obvious enough first show still replica maybe watching example leave still fun party guess per episode difficult reject anyway must watch season take advantage waste money last episode last season set left somebody player used source prefer e commerce known quality received awful although watchable know series total disappointment player likely never use service information get information local used book store road movie composed like series ben stein long lost son narration card want money back calling reason getting two instead one actually giving information hilt sacred sacred revealed left skipping ahead lot dictionary better job explaining alchemy long unavailable annoying love show want watch hope series becomes available soon clearly missing something season greed purchase season sadly episode one best season included version creature incomplete truncated version creature version somewhat abruptly middle movie want see whole move version sale hate think intentional bait switch marketing program movie based seeing first half think good made movie interesting plot reasonable character development appealing location mediocre special effects engaged enough disappointed unexpected cut plot story resolution hope see rest movie eventually really like see movie tried several different watch get space creature movie early creature thinking peter creature series picture description movie creature set outer space video first hour actual series peter creature missing movie series originally x minute getting somehow one caught march fixed yet sorry bringer bad news see whole series fi space movie may one planet seen movie original full length version read book watched actual film herein based upon movie really none oddly chopped version original made series staring nelson nelson lovely star kim yes perpetually horny chick sex city pictured illustration video none cast description like movie description either confused yet let see help movie shown picture creature limited series staring nelson kim film actual full length version series either first half bother movie creature fest alien rip staring movie stupid gore filled marginally watchable plot provided well book peter anywhere close best work limited series based book happen watch truncated version could maybe read last half novel see course really recommend reading book may less waste brain watching either one last possibility completely given life buzz check third variation movie creature related either interesting series either complete less nudity better special effects rip creepy weird bad want give shot far less time consuming stupid book first problem description video creature movie monster earth get watch space drama main criticism usual one stand looking monster dark never get good view alien character development think c grade fi doubt watch seen forgot think would rate zombie brain storm reappear beautiful speechlessly screaming dumb blonde guy sitting upon throne camp horror movie rated c call video instant video rip series first part second part love movie full form version leaves hanging really disappointed creature version terribly poorly low budget old flick congruent story plot major science dark granny watch old version first half movie look long like instant video dark space imagination making film hey get eat piece candy next slime gore unable hear movie due sound extremely low need sound enhancement sort several much looking b type movie worth watching fun movie waste money said like python hope people waste money good day terrible quality someone around cell phone night cup saw tried make movie someone gone cup really true experience quality bad stopped watching halfway could give would overall poorly made film stoned make film worth watching save time skip one brief background martin direction film enough buy watch second time even spend much time thesis key learning martin daughter like however irritating barney also educational part reason purchase prime free education please bring back season yo free prime anything prime taking away assumed could use save could watch car daughter cant mistake really didnt research enough prior daughter yo cant dont kindle reason giving didnt research previously get elsewhere ordered accidental grandchild way return video return used use prime almost exclusively play yo daughter even though available free watch sudden per episode never price got season still free prime season sick watching season chance free prime sometimes play yo accidentally episode see way reverse transaction obviously intention since play free time caught show visiting brother family days many satellite wife thought silly best educational yes episode theme something wall way unfortunately yr old got back home continue watching much forgot sesame street blue cut cable almost ago via prime love expensive cable bill still able enjoy demand back review product happy interest show thought would grow days though silly bad thought would work one particular episode wear different favorite soon getting middle day would come running protection er something turns episode part shooting afraid get never got see show silly people running around little tidbit knowledge year recommend little clear entirely much better entertain educate like music interwoven episode enough keep us tuned skip one call wild clark gable one beck refund rental fee watched daughter reading book class movie though stay fairly true book would watch recommend movie class read white fang watched movie white fang hawk disappointed call wild didnt even come close many ways theme premise inane plot dialogue stilted enough keep film good thing say left director since much supporting premise story already uninspired story flat well deserved dramatic eclipse since aware anything contracted jane eyre still good wrong many like main beginning end great film stuff really informative well executed well entertaining would recommend adult murder mary produced corporation first much media two days serial th th combined running time length two part recording thereafter march st century version disappointingly missing time full length version accidental intentional watching digitally previously grainy version absolutely appalling torrent bigoted racist anti gentile hate propaganda one disgusting total true history one well criminal southern jurisprudence total grotesque mockery really frank trial august august verdict august judge ratification august three local constitution journal official frank trial brief evidence within page frank supreme court really nothing un total rabid foaming mouth contemptuous enmity southern culture gentile also included many film history one help wonder vicious agitprop series designed solely traducing whole south slandering conspiratorial blood libel instance people stand inside outside courtroom middle start singing result trial coming screeching halt fact every appeal frank supreme court majority fair trial even governor page clemency order specifically frank fair trial false anti race prejudice last page commutation sustained appellate leaving jury verdict undisturbed board posthumously frank murdering mary false technicality state protect august thus frank completely exhausted every level united legal system united supreme court unanimously ruling would longer accept case nothing said frank fair trial frank frivolous well supreme court one one progressive early made sex fiend would make love centenarian great grandmother increase list ugly good people goes point nausea frank case one vile anti white prejudiced dishonest libelous defamatory ever produced murder case mary last since first film thou shalt kill romanticize child rapist killer frank without exception media every retelling notorious case social political war south place innocent framed crime assault child rape strangulation solely religious prejudice let take closer look utterly sickening pathological frank case popular culture infest media broadway frank official speech afternoon august wonder intentionally left entirely frank four hour statement witness stand open court county superior court especially frank specifically murder alibi reversing providing newfangled admission judge jury afternoon august might unconsciously metal room bathroom back factory second floor exact time formerly told police mary alone business office front factory second floor everyone two exact time case fail mention frank admission scene crime crime time mary frank rather interesting every book musical movie article documentary frank case since exception mary book murder little mary mention frank inescapably alibi face witness stand scene crime murder frank confess accomplice fact wonder left testimony trial found mary dead machine room metal room toilet area behest frank going frank mary sex forensic evidence wonder left fact several discovered hair dried blood twisted around solid metal handle lathe machine room metal room mention several inch wide fan shaped blood stain floor adjacent machine room metal room bathroom door frank version mary office front factory second floor wonder mention frank told police late morning mary come office wonder said nothing frank making deposition police morning elite rosser present mary office maybe governor death sentence client wonder mention governor owner senior attorney partner frank trial law group rosser formed early frank trial less year governor death sentence law client frank june racist anti black framing negro newt lee wonder show frank office police present examining newt lee time card morning frank newt lee time card perfectly every half hour day murder till morning astoundingly next day frank produced forged time card newt lee behavior innocent man enough time newt lee gone home discard murder evidence racist anti black railroading attempt negro b b president left racist anti black railroading negro newt lee kept failing wonder show scene police found bloody shirt newt lee ash bin house gee wonder put diabolically genius semi literate alcoholic negro floor sweeper work cold calculating cunning racist trying frame innocent negro frank racist anti black intrigue honest innocent married negro graveyard shift security guard absolutely criminal record would crime commit ugly untold truth murder case mary every telling affair surreptitiously mention frank botched racially tinged framing old man lived entire long life without frank mary wonder show frank jail waiting public via constitution journalist interview later march frank stated machine room metal room bathroom explain stover found office empty exact time frank said alone mary front office state exhibit b frank trial brief evidence stover star witness wonder stover year old star witness frank character alibi left verdict fact frank conviction nail biter cliff hanger easily murder expensive trial southern history time would easily unbiased person frank trial brief evidence filled tribal domestic turn truth upside ugly ways sadistically undermine attack majority cultural cancer indisputably unadulterated smear slander fest treacherous media ugly racist anti gentile culture war since frank case blood soaked bludgeon suggesting frank framed anti conspiracy however tide entire page frank supreme court archive frank trial brief evidence legal thank goodness even interesting boring legal original local daily newspaper available well mary murder investigation coroner inquest grand jury discovery frank trial journal constitution august pure bigoted rotting garbage prejudiced anti hatred none less minute minute finally educational project original legal local newspaper complex case think time full year audit every film produced discover examine expose used cultural defamation united western civilization south recommendation full every surviving since begin meticulous exploration finding insidiously western civilization shamelessly morality tales culture defamation let begin let start today bought movie month ago disc missing last original video assumed however new missing want complete movie purchase version like story line vapid goofy even listed movie hole head idea movie movie would like buy instant video afraid stuck movie want suggest page describe video documentary one man went one man talking front school hour video clips scientific information looking information something interesting watch turned shortly sure day great today might good movie reload rarely get loaded watch evening never problem said rarely see end movie program funny past parody game would included funny plus program hour price got would recommend anybody thought going whole collection funny digital shorts one short clip save money find much better stuff free web worth money time impressive information share lots filler take space hey want sit little hour learn camera really love flick listen mick vicariously bob first electric tour oh yeah word oh yeah thing nobody oh yeah play f king loud rate film ah hell watch rerun law order bye stated sequel program documentary show props today interesting got credit back finish watching got boring movie seen countless times interesting get behind find made movie props majority couple low video quality probably reunion telling continuation time machine story otherwise mostly people involved original film telling making die hard fan might enjoy free say go ahead watch sorry spent price coke tried watch video would play watched many without problem instant video long time fan movie read book several times however show low quality video poor think shot better super save money movie hill good choice movie back remember yes could spotted fact long enough actual film warning like disappointed paying watch listed sequel nothing sort cheesy look back type thing like making documentary worse yet found already time machine mistake degree list describe rather poorly think grew southern punk varied much depending geographical location time cover pop punk new york punk rarely see true punk rock scene heart punk rock scene southern really something magical two really underground scene grew roger suburbia actually best scene east west bit see suburbia make sure version stupid movie made say guy talent would gross overstatement mean overly unkind actually turned son obsession alphabet since old starting writing alphabet one old letter toy everything uniformed video like letter b one b animal goes three son know start c get turn seen lot alphabet one worse buy best one came across leap frog farm alphabet jungle sesame street star alphabet good maybe misread description full season disappointed included fine full season stupid want season two want able watch season two rest much want dont want pay every time want watch long second season come disappointed price lower even worse disc defective able sent back new one defective well company made aware produce new without love show still would like season season leaving need release season season even buy complete series release add miss season season two someone need get right miss lead us need replace season disappointed item description complete second season great show would nice know front season amount season full season plus episode sub titled sub season set discover six collection season translation guide turns go line look c g episode guide list foster season season true beginning people vol season top page season fine print tell actually season call vol season site season top page episode guide tell season call vol confused much angry also great fan show please make available purchase fan computer watching would happy purchase complete second season sent season complete season upset agree avid fan back day season menopause movie set would love purchase watch without computer think zero system allow love glad see show come season less reason also us bought season distorted cannot view hope us found defective get another replacement copy free charge c l official web site season complete deceptive second disc defective noted several many us purchase c l feel taken advantage unfortunately complete second series giving full refund change description misleading sure works united law advertise something different product diehard fanatic want hear answer unknown interviewer hotel room grainy washed video large bar running middle screen first might like everybody else picture lousy idea talking going read review prior one depth detail video reviewer like player well mistake show many favorite three alumni shield even guest appearance f first season promising second went downhill third shockingly bad writing map never made sense building ridiculousness inexplicably show dead town holly stumbling around police procedural b previously decent also almost uniformly absurd leaping ridiculous come nowhere culprit confessing instantly right cue final episode quite bad rest season maybe relieved sum season picture god dog goofy quizzical face say wrote mess saw saving grace end season kept showing kind th season available though final season different season disappointed wasted money time watching something already seen mention different ending disappointing ending series forgot main idea show grace last chance angel earl help grace find way god hence title show saving grace instead three gave us grace whatever regardless consequence fighting earl god every step way earl real impact grace whatsoever never reckless ways drinking never grew religious spiritual knowledge god throughout entire show people grace supposed help throughout series fact never really help family first two grace help prison ask earl leaves behind begin help late help season three fact last episode home stop smoking grace stash go house smoke looking place picture saw room accidentally previous episode random grace drunk high sex money dead alley get heck original concept show headed hell grace god given one last chance sent help earl season one people got hooked show season one put extreme nature life knowing earl god would eventually help grace grace earl god every step way series hope fan eventually get see earl help grace grace storage facility wow wonder life would like without pointless episode captain everyone pregnant third last episode ham older brother randomly gay second last episode series tour da force pointless meaningless butch wedding show strung thread third season never big pile steaming gave star coz beyond belief rating typical liberal trash non thinking know religion reality god genie grant bad even grant blasphemous scum stupid stupid bad entirely many first final season like struggle get kind decent plot strength grace finale really bad totally disappointed love holly acting part phenomenal earl really care whole series someone clue lord poorly written bad doctrine like police work fan true crime rest awful think even got order awhile ago anyone either get sent another someone told look movie even sure right movie full length movie person talking care much film time little say worst video ever waste money poor poor video quality people walk front camera video bird frog various nothing bird animal poor quality video like cat like understatement like propaganda reinforce last enlightening useful history lesson believe true fact inspired god creation god declared appreciate series disqualify argument simply various tribal kind depressing want smack someone time still really got plot going feel goes nowhere know people rated movie painful watch tough watch movie almost every major character anyone cheer movie main character jerk drunk much better mother jerk brother closet jerk character semi cook major flaw actually main character goes waste rated rotten star mystery either people made movie bogus filtering bad since prime movie movie something positive well like much though really maybe something really think could done better job big big universe see try turn voice understand story movie low budget hand posting description intriguing better actual movie movie making mistake making mistake several ago posting review make mistake time love amy find product instant video absolute disappointment definitely clips think many would see instead mediocre barely big disappointment say one thing amy start think excellent comedic actress one capable quirky people time show naturally bought collection upon release severely disappointed best exception collection unfunny best worse middle school comedy worst dollar bill v world bit quite possibly one worst ever seen seen lot bad recall laughing twice entire video good thing comedy subplot amy seemingly background character watching thought best video perhaps worst best feature best funny collection simply funny one thing comedy supposed let say love work looking something good representation work buy go recreation season two mean really two pretty hilarious unintentionally instead cop car one like one pilot like see highway wide load banner amazed people must actually gone trouble rehearse dialogue fight like real movie real movie pure crap beginning film wished wasted money good thing rental year old could create movie better must trying award worst movie ever seriously terrible movie thought interesting level middle school making scary movie fun early scene car skeleton door head several times skeleton mask still clearly see plain human knife dragged across face fake blood face worth time watch could get way know good disappointing since sitting hotel room good think room movie language first horrible turned movie cute romance glad free like parenthood enjoy u r home rainy day two love script implausible boring annoying bleck watched free still want money back sit back enjoy good movie happen soon saw gentleman crawling sidewalk knew stretch admit watched gave white considered educated well movie people pretty much everything life still happiness trailer movie basically famous reclusive living one good book solace single parent struggling start business juggle yr son cue side splitting cross class well recall grant movie boy rough guide movie except movie jeff grant script big time even r rating lift movie place good comedy funny without cheap fortunately movie free prime otherwise one would given second look skip got tired watching like odd match recommend movie philosophy movie movie man world trying make true trying fact form religious advice religious guru god way communication god failure despite wrote living life stays till back goes necessity female chiropractor come despite end together person end philosophy behind one see outlook basically comes main character hatred god god punish sin forced believe god anger evident movie especially talking bookstore owner addition hear something see something visible communication god happen either know believe except god word remember believing something possibility believing black white either believe bias hatred god rate low one god word main character like movie either main character rejection believing creator world choose wisely bias either way let god true every man liar salvation except alone save look savior lord saved serve either serve cannot serve two jeff boring screen persona able stomach brief look sit movie love one jeff character would recommend movie instead watching movie go bang head wall movie horrible think nice thing say glad stop button worked player movie humor today deep trouble pathetic usual romantic comedy usual usual ending predictable star let star men tender funny movie listed comedy definitely funny bad story line man wrote book said god middle story draw conclusion god help answer even think god end really crummy story without existence god make sense little payoff drama get put one skeptical author anyhow slow moving unnecessary use foul language weak plot good movie jeff fan movie lousy many swear would like beginning ended sending back good movie lifeless script thanks bad writing could mediocre job dog remember supposed feel good movie hit right felt wasting time one five movie dozen figured way starting could downhill good executed well ending acting decent entire movie like many made last twenty time spent story line cute movie good good taken good watching thinking hey saw insert good movie title happen times throughout movie movie potential would except language first continued throughout premise good see would enjoy story line would predictable full foul language moving yawn gone see disappointed spent see pretty rare start watching movie finish like closure knowing movie desire closure lack chemistry bunch flat tried talk finishing make think potential idea horribly executed top slow moving plot poorly quite bit disrespectful god way many people included find offensive one part particular even blasphemous particular shown positive light song friend bear much say glad free prime waste money get past beginning movie watch disrespectful spiritual top list plot terrible much unnecessary language two may made better pair different story line movie fine watch treadmill kept wouldnt take time sit watch funny touching graham everything see sure expect redeemable part stupid inappropriate sure never watching would ever encourage anyone else watch get past first min movie turned found totally offensive point boring unconvincing dream cast talent old say one would real life thought would preview good less less went could get movie wonder ever made bother watching movie normally going somewhere soon realize movie lazy work writer director class b rated movie best time watch would recommend sure watched forever tease husband trailer deceptive funny movie want depressing drama go premise story might good writing left much desired jeff character believable found movie hard engage thin plot see glad prime member pay would disappointed work player able play came happy purchase seller sold knew work united kingdom whole lot going kind slow movie could miss half still follow going romantic comedy story line far fetched plastic sad feel good movie movie slow good trailer lot interesting movie love graham think wasted talent one like main character even though might improvement end like unnecessary bad language funny type movie get stopped watching maybe would gotten better get usually take time write help fellow man say movie terrible lots good reason blah likable enough care good work bad chemistry ended abruptly always bummer found fancy author jeff character jerk frankly improve story went see anyone would find much less favorite graham great well cast chemistry shout goes little boy son though adorable heartbreaking like graham thought movie would decent premise could much dull boring chew one many ridiculous forgettable film waste time flick much profanity plot dumb glad pay watch give four movie get past without barrage f going waste time point strong language totally unnecessary story line nice story bit top romantic comedy low romance comedy recommend watching movie witness perfect synergy bad writing horrible acting flop flop flop flop thought would cute movie first five movie f word shut movie every character movie freak loser coat rack worth cost rent get past first half hour ridiculous profane stupid entertainment gal higher feel like title video daughter disappointed song bus short period time disappointed ended bus bus cute son right bought month old baby like outdated even though nursery watch really dumb movie waste time money movie worth price point film real life prostitute crack poor video quality available previous collection better quality got five quickly realize drippy sappy liberal diatribe want fine want video waste time manifestation documentary personal journey somehow guy got famous people reason us looking want point course famous people love probably great success actually love new york really however new yorker let mediocre excuse documentary fly waste time much less money poorly done anthology acting selection vie bottom rung ladder already weak stuff shorts film would probably recommend one maybe two rest really bad order watch really want see something gay disappointed see gay shorts pay see worth seeing couple potential go nothing memorable nothing say movie everything really like strict set sometimes may twenty say movie may want check enough really anything way review absolutely amazed poorly part like hulu always poor quality film good quality begin either content would think would better coming wise iron short suck incredibly amateurish one farce badly remember correctly waste money type film made grade eight dad super camera really plot direction unlikeable maybe stoned enough get far worst movie ever seen kept watching see get least bit better save money horrible plot written brain third grade education wish could got money back big waste time buyer beware overall rented title watching felt bit unsatisfied film dragged along nothing really thinking back really wish something would come little strength forward movement warren film bootleg film ho hum melancholy feel glad watched said wish instead rented seriously glad purchase one ya know mean save trouble watching movie cellular obviously written actual mentally handicapped person movie disappoint offend thought high art film fact movie jet skiing could cult classic set twice trying watch one specific different movie get money back ended movie slowly see beginning joke throw someone intended watch would recommend wish get money back since actually happening good disappointed min slide show ancient art sculpture ended around world audio quality awful unlike actually release writing negative review never seen movie taut cold war yarn set west berlin g east trade east west officer peck outsmart much film give known completely accurate specs product honestly thought mistake surely movie would year anamorphic format screened flat screen panel show respect old boy naive actually back case print tiny glasses huge glass pan scan know studio made dumb release movie pan scan format stupid days high flat would also seem kind corporate suicide anything pan scan possible many buy play old yesteryear research yes bright crisp print left black side flat panel unless one everything broadcast square format everyone overweight privilege suppose know studio still even old pan scan format certainly interested old company also acquired dee comedy take mine though aspect ration anamorphic bottom line shall avoid wasting money future company unless clearly state anamorphic case world living one wonder additional review original shame fox pan scan film one favorite many one insult intelligence viewer even master great condition would rather see movie way director chopped missing action either side center screen odd p viewer least sort edgy missing something screen missing screen purchase rendition maybe someone fox come release original format purchase probably admit copy film great quality better junk fox offering really stupid part fox would buy official version even though already unofficial one certainly losing money five film one star fox chopping additional review added decided go ahead buy copy see bad thought would well film official region copy couple bootleg thought would fair sit entire film sure yes colors vivid still rather view film crummy colors shame fox believe fox archive release pan scan forget buy fox release original ratio sound available fox release version u terrific movie seen original version lot pan scan format buy ruined version first review correct pan scan version completely worthless wide screen never sold pan scan great great story lousy presentation television sent copy back un come day movie potential like subject matter plot grand finally end annihilation ego unfortunately felt cheesy poor acting mediocre overall trite nothing low budget missing many bad got one review someone involved making film title story bad guy life mystic way magical living ala character would story worth watching well written sound like line reading alas one pass joe poor grainy b w footage annoying color effects added make seem exciting guess would much better left alone found unwatchable minute concert repeated multiple times modern day band end would interesting absolutely horrible picture quality waste time horrible poor quality throughout approximately video fact minute film repeated times save money boring pathetic poor quality overall poor corny video henry dandy bore long dreadful coverage without much explanation looking bore quality poor spend time watching time looking back time long video maybe long review bunch forced comply review video waste time part previous show episode found offensive well aware complete disdain faith surprise see yet another drama series depict violent smiling sweetly allow faith drive commit humanity well well worn stereotype abject bigotry used seeing would say terrorist episode single man acting alone therefore represent group culture must ask character fulfill established negative image familiar image priest sadistic nun perverted pastor con man evangelist never see selfless kind priest wise rabbi steadfast pastor myth always open season appeal compassionate please decent thing stop trying convince world faith god reduction intellect reason basic authentic human decency nothing less prejudice hate advise tired version us bother watching episode movie long like forever bad acting even worse even conclusion end movie like got tired quit random point killing time know watched something different acting bad like directed movie cinematography enough make cross right first scene used super load speed camera keep conversation diner let alone fight scene one point trying show one dizzy look different story line character development descent acting well b movie think acting cinematography terrible worthy title cut short fight main came home actress sister role epic fail want waste another minute life hopefully uncross soon year somewhere quartet led recently departed member early watched much pay prime instant video would refund misleading title performance awful good either free cover band concert nothing else better however playback stopped due erratic connection fault decided could thought would great video older disappointed sound quality poor sound recording live act gone lot personnel always time sorry stay traditional group real thing altho call probably think good substitute beg differ stand listen however humble opinion title video misleading actually thought video real video realize group sang song real disappointing video perform awful music one singing group part time recording video waste time money want hear real even prime instant worth tribute false advertising say tops tribute group plus even good fact pretty awful prime listing even title correctly sound horrible course none even matter group affiliation lot gall call name one world even among one original five surviving member every single group nothing cover band even sound fraction good especially original one waste time especially fan disappointed first song shut say singer big group calling suck probably fine beginning boring particularly fashion forward people sew design lot shockingly dreadful horrible sight extremely unpleasant deplorable disgusting horrible wish never rented film well mistakenly rented plot dialogue narration therefore opinion call movie lot people static like photo book page photo painting photo carving stone many repeat sporadically um slide show nice loud classical music well glad rent purchase purchase would incoherent purchaser remorse unable type review thought documentary medieval era instead set music people portray research book writing waste money documentary medieval sort film collage low set music like put together child grade school kept fast forwarding see got better went horrible movie running smoothly quality pic sound bad couple times stopped first several awful last secret well intentioned student quintessence chester single moment believable one worst ever seen invitation student film interesting premise horrible execution two great blessing film mormon family terrific father two black secret father great idea despite limited technical rent script blessing father skip crap waste time bad around quality guess stupid thinking get better trying guess like throwing money away care much video didnt much like generally write movie much found bit surrealist superficial buy cloud part tried stress main actress throughout movie besides movie release strong supposed flow real development depth even call main actress romantic person end dirty cop romantic talking good story though frankly get better movie unless interest soap like spoiler alert hogwash dress like court mousy assistant grand old man protege young aggressive cop fat people cast none em work sit around mope drink hot coco dream powerful sure naive big diamond handsome vying hand marriage many men enough time time try either busy laying hot coco sharp came forth oh witty bravo bravo knew parking lot shooting people back running guess admit whole movie thats feel like fool even movie land like lifetime cup tea plot acting movie possibly computer wrote script string together till movie length look dress like total nit wit bother seen many times already hate say typical quality streaming video generally gratuitous sex inappropriate obvious un poor acting grateful fast forward worked well material wonderful material video way way beyond nasty bad sad like much skip one lost sparkle something found wit appreciate comic taken aback swaggering shallow emptiness routine due review history opera modern art total fail dumb shambling gorilla meant mean spirited opinion kept waiting one bad topic terrible end start new one never got better simply funny may twice though mostly clean humor looking thought lame really funny done stuff hilarious one good three young men living new york city late make progress effort grow mature relationship plus side mostly predictable story exactly happy ending light romance material occasional surprise many suffer awkward acting main cast reasonable job lot time especially much emotion dialogue similarly mixed bag authentic believable lot time sudden one saying one wonder one person writing side acting fact hit miss exposure control keeping boom frame technical definitely distract pretty entertaining enthusiasm surrounding flip though fun bit nostalgia today era turned watch cannot watch fall category bad language immoral living around stupidity want think normal live way make life better order please take get account need help order finish watching poorly written completely unbelievable people talk way movie ever get produced finish watching movie something enjoying recommend movie new information boring learned th grade history class wasted hour life plot movie predictable spoiler plot tell someone comes back go place predictable boring terrible random writer could decide story written mindless fun got mindless worth time always sorrow secular claim answer life death movie laced beginning spoiler alert car accident dead father husband hospital spirit see wife son next son mother someone someone good go god people get kind misinformation false sense hope way heaven faith trust alone repentance movie truth whatsoever lead people false hope life death two reveal truth heart last ounce courage say thank god could stop movie without finish waste really believe people get make crap like make uninspired writing like really like huge fan male lead sadly worst movie ever seen reason watch whole thing let tell right awful acting terrible story line weak felt like lifetime original movie rip sleepless know spouse spouse sad surviving spouse find true love pour surviving spouse pick right one save pain sitting one seriously movie spiritual movie accurate according saying dead father stuck spiritual life death son mother someone death someone loving person take god also word damn used freely turned watched first last worst movie ever save grade b glory shame like could muster watched lot weak comes surprise watched mistletoe surprising though mistletoe must made thing couple see flick star quality bitter lack star quality really never make much less best dressed even moderately good looking men disappointingly average best fact picky never date lead actor weird looking aside movie totally predictable actually say get go throughout movie know exactly happen next like watching movie reading book often watch vanilla like cause leave warm fuzzy really cute dog something sadly movie nothing recommend better watching franchise movie knock sure least one star one tad bit effort money wiser casting mistletoe could worth time waste absurd movie child dead father ghost depressed mother new hockey coach child psychologist another movie turn hallmark like harlequin romance good enjoy one get past first cheesy predictable bad made movie wonder comes sit find could barely watch woman awful maybe better self absorbed stupid watch know lost husband got lady pull together like take another man life make half way decent sad high movie saw description miserably story good potential real let turned bad acting atrocious totally flat unbelievable waste time turkey really like would great movie except widow son live huge house swimming pool beautiful grand piano struggling make mortgage intelligent woman idea selling finding something affordable never occur lived average modest home one would felt bit sorry lose also dress like hookers cleavage showing even workplace kind embarrassing view without always watching wooden even character seem believe plot getting buff good work time one performance graham spirit trapped convincing father enough help family try get without though wife telling always shoulder wonder new guy life would feel think gone good seeing wife son hockey game keep coming back main message one movie comes put finding ways protect family something happen especially rely two survive whole bad film predictable comes hallmark movie clearly b movie made heart touching many b quality acting uneven script silly dialogue poor ending natural end film give away turn movie natural ending point sudden movie hockey game felt like watching mighty ending far better feel good romantic waste time one boring trite terrible show every respect little creativity appeal talent reflected watching show band pretty good singer manage achieve convincing marc imitation vocally lot marc quivery end good cover band rex stone faced along authenticity sake interesting hear need watched prime cost anything big fan keyboard part da garage band live performance wow era touch embarrassing play well enough fair amount technique make work extended artificial drama musical experience left past watching lot like watching toto pull curtain man operating great want check reality youth guest might like see freely disclose watched get glimpse hamlet castle never really form entertainment loss understand money bad could drunk college watching days almost see struggling laugh utter like hear something shadow ask intelligent like dark low camera whispering find wondering like stupefied amazement first time please mark review non helpful record episode included little hamlet castle even glimpse statue example believe cover video good quality material movie feel watching video quality content show old basic hold interest long graphic pretty bad expect anything grand series deep blue amazing planet high quality bought movie watch plane sadly performance recent group name spencer group find one founding band along many group tune hear tenor great organ alas recent recording band minus omission would bad poor sound obvious unrehearsed feel band even non player working musician pick sloppy opening number band supposed set audience fire establish style mood night band flat although film safely say garage going group try drumming interest rock band time one question biff lead sorry think one terrible disappointed singer strong band sound like used even call movie complete waste time let curiosity get best like plot kind organization film red sh method man live show low hear anything watch waste money would bought known half long understand purpose short video raise awareness charging money least give half hour content absorb literally effort waste money thought going different done already nothing new exciting series series nauseous watch content cannot understand trend change camera every second two viewer chance focus anything wonder attention span average zero series annoying waste time discover id guilty pleasure true crime sensationalistic exploitive give sense justice end involve brain activity whatsoever watcher part however prime worth paying typical unimaginative awful show another cop show creativity clearly run waste time routine cop thriller extra shot violence supposed edginess comes across improbable lot assuming prior evidence mild sexual undercurrent average series get better crime drama actually watching year season addition already impressive cast show much catch purchase season suffice say content great however quality box set perfect forget sound sound acceptable generally speaking overall quality video reproduction acceptable problem r recordable media disc fact compatible resulting occasional freezing video skipping es player time similar disc severely absolutely fair perhaps received bad copy said disc many simply watchable experience expensive usually precise actually make look absolute best however precise sensitive player occasionally sub par quality less accurate sensitive player might play disc although high quality video reproduction case purchase encounter customer service best cup tea hate need watch bother spending time one acting writing fine another undercover cop show phony writing less mediocre acting tried several could force finish looking edgy police show found slick poorly written show lots potential none fact first scene volt car battery bucket circuit victim magically making electricity nearly guy go crazy even though even tied grid enough let know really bother shoot sort realism one see gratuitous violence lousy script watched gave waste time cop show nothing offer real police work anything real police job really like like idea really bunch like like show like shoot bad love writing weak acting worse show never made television example anyone female police wear high heel run faster chasing bad alley yeah dumb dialogue interaction laughable random chosen without care two bread way intelligent street savvy special would talk work work way token girl definitely seem concern tops jeans hand chosen care producer hell bent giving ass show let em dark blue hit back boring men anyone take seriously hair hair ridiculous thinking think decided goes black mop hair never never never anything dirt bag disheveled well got serious cop man team leader bad dude serious cop mention stare darkly always stare darkly blackboard mantra part act act actor two attitude working hot may enough keep dark blue paint longer helpful hint bring dialogue written class project l film school lose boring girl bring intelligence smart sexy yes get blackboard write times authenticity comes within authenticity comes within dark blue goes downhill boring fast remote becomes lifeline two worth saving energy trying tough us something real would hate see law enforcement really sink low require give hearts watched humorless depressing seem compelling keep hold would perfect show someone never pleasure television otherwise boring boring bad acting flat extremely tedious story line add anything lost interest first kept watching something happen disappointed definitely beneath kyle talent something real along southland soap opera one episode enough watching first episode decided give benefit doubt watch second episode made knew dark type show people may enjoy shoot watching dar blue measure would recommend fun series watch much heavy drama guess good people left world deeply undercover blue line left never watched know eats dirt cause read every star review sad say given get excited watch realize dog gains pay something time anyone really know suspect personally get show like good cast absolutely another show police genre go wire shield blue dexter life hill street blues law order try another genre engaging disappointed watched could save spare watered version office barely funny hate boss little magic thrown make original saving grace mercifully episode long tried like maybe mid afternoon low blood sugar stupor get enjoying dirty prime free preview decided pull plug free even stopped mid episode wonder many free cancel r try night patience listen full narrative introduction x disappointed movie cheesy narration got tired hearing guy first found wishing oh would shut asset film took pain away horrible entire movie main character guy whose acting skill marginally better ability speak style normally reserved detective film watch movie may find saying dude please stop talking cinematography film amazing unfortunately good thing movie writing horrible voice choppy full story two hour span could definition one dimension could summed short blip single index card try make lack substance dramatically fake emotion cliche card board cut feel context took movie hung art museum say great movie though like film school student best attempt get c piece trash get made believe spent kind money wasted much talent make dud terrible could hear anything middle could hear poor playback oh id get late interesting well save try subject one bust mostly disappointing nearly talking admit finish watching actually require watching could radio show travel documentary someone holding camera min famous island needs high definition scenery beautiful kind narration going st saw would like see told us nothing find like something television screen saver sorry amateurish video bad looking advertisement buy mag rent avoid pay see nudity sex semi sexy film sure story really plot bad skin flick skin nudity thing really figure charge buy pretty ticked wasted rental even appealing pretty lose fitting flattering movie really say movie writing review wish someone else taken time warn dull film would think film desire bondage would bit emotionally intellectually otherwise main character writer young woman bound tied bungee hoped would confrontation normal life least sort character arc self discovery luck minute random photo shoot middle movie seated type medical examination chair lightly various woman vaguely uninterested entire time camera occasional close neither erotic exotic dynamic story nowhere perhaps film might interest even people actually fell asleep movie completely different plot wound movie discover interesting part movie short concept lot work even put together properly would amazing carry hate say anything negative fair lot work idea promising execution fell short listening like teenage girl idea innermost die treacly verse threw towel putative present day counterpart mundane exactly call parallel life sure would plugged average given one keep waste time watched different like old one television become tool demoralize youth part conspiracy wake everyone horrible poor bad service needs fix right away cause much man disappointed watched lot past new wave instead classic know remember sure movie listed kindle even went back double checked price listed kindle demand sponge bob everything wrong culture could actually hear dropping crap background like show allow watch nothing good since personality rearrangement season three become witless stupid duplicate character gone days like episode fun along way part utterly unamusing forgettable perfect delivery item good condition would buy seller however rate item th season worth would know producer extremely repetitive even lot done show theyre done save money th season fishing steal formula get watching know dialogue like pizza delivery jellyfish jam season like right around season took turn worse still better watching program trying teach moral lesson worst great lot gross personally find funny year old son little boy little also gross yet another season pointless exploration idiotic character amoral done rank animation nickelodeon muster going shut nephew account rotten show irreparable harm intellect small may watching social value older age bad season one miss show clear example fire original show range terrible annoying worth time buy go get better crap seeing still overwhelmingly popular know may receive negative negative critique press unhelpful voting button please read entire review want let know whole series beginning lengthy run phenomenally hysterical witty bound generate least best would leave wishing thought featured sadly spectacular quality declined recent program underwent deterioration quality sincerely apologize negative majority main enhanced stupidity greed pointed many people rushed feel defy set older albeit may bother many people enhanced comedy program traditional series humor grown grotesque stupid annoying attempt make appear funny know lots people also agree cartoon lost lot heart want watch watch want truly genuinely apologize anyone may offended way feel sorry hope insult anyone know lot people still adore day glad character old matter many times saw episode would laugh witty little way sense humor amazing like early though intelligence show even laugh however much today creepy obnoxious humor overdraw use optimistic heart adorable voice unbearable weird stupid annoyingly stupid lower negative three want throw window sarcastic mean least laughing even one line episode yelling percent show nice cute mean every time give close hideous cheap cheap season plot repetitive thing since season drive damn boat plankton get recipe still season horrible anyways disc truth square greasy model sponge curse bikini bottom buried time pal keep bikini bottom beautiful love rodeo daze back past bad guy club day without summer job clarinet land thing one coarse meal last stand clash triton grandma secret recipe cent money sinking feeling karate know sponge hide mine mine shellback perfect master piece whelk attack dogs wreck great patty caper abrasive side ear worm new fish town big sister sam monster came bikini bottom welcome bikini bottom triangle main drain sponge trench curse hex tunnel love love squid oral report friendly bad recommend season watch nothing season season f love recently show another average show remember actually original unique funny sponge fell love younger say since season notably since season show slow yet steady descent crap used creative every episode plankton thing getting boring like plankton season every episode infuriatingly annoying ridiculously stupid terribly irritable greedy bastard exaggerating milking show nothing left really hate see go think time know love show definitely monitor much watch complete utterly ridiculous mind stimulation see find show dull mind numbing entertain know enjoy show three age four think appropriate age group hate think horrible show want hurt funny quality poor excuse cartoon nothing good personally think better family educational cartoon young program watched often house dont like educational dont learn anything watched show day crazy either rented son watch read play movie interview bad one said funny instead received something us believe person responsible complete simpleton theorize ran storage space computer hard drive coin chose duplicate footage possibly driest lackluster discussion ever label movie vain one would notice difference confused dear reader actually movie commentary discussion whatever old choose call topic question one talk half interesting say admittedly think easy keep average audience member play many found already hard read enough however main commentator chosen ingest bucket gravel near monologue would made bit easier movie comedy little comedic value label tragedy huge disparity review usually instant video physical copy case uniformly positive enthusiastic went strength one favorite enjoy manner examination play literary criticism given time watch student looking get insight play class would better read fear watch film version read literary criticism play second perusal show mostly excited idea teaching aide make accessible relevant anyone woefully touch awesome play introduction inducement see play mock interview format may worked better cast comprised poor humor irony frankly embarrassing painfully slow audience way drive batty falling asleep snickering unintentionally comic performance lady buyer beware media final could forgive movie low budget plot decent acting best part twist end even poorly executed thinking movie skin flick either let preview photo title mislead director tease like one main getting ready shower away show something pretty much whole movie lot poorly executed tease leave reward substance wish could unring bell get back bad pointless home video bunch interested fixed gear seem anything resist growing finding something meaningful get point film video much better could find browsing hour performance footage new old stuff video quality mediocre poor consider waste money unless die hard need see every piece footage existence die hard fan awful much else say looking forward let doc rather disjointed without perspective much better interesting doc kind monster band therapy order complete album thought may promising another reality type series worth time even consider nothing reality show might resemble real human reaction disaster hugely disappointed better discovery channel watched every episode season conclusion season disappointed wood gas method achieve combustion ingenious disappointment time high air compressor yet somehow magically fill compressed gas vessel compressed air tell believable form intellect beyond year old mentality cow real everywhere hidden well non removed view would added significant credibility experiment waste money thank god free prime understood show intended people survival enjoyment show whatsoever handed everything need people knowledge gear show like mater cast always know show act way island generation found amazing spoke like alone camera men sure people food somewhere thing apocalyptic feel camera man ability make sure nothing else got camera must clean drug homeless people first also amazing one person group ignorant anything everyone marketable skill high rank medical science military electrical plumbing mechanical automotive lucky survival group people know turn plug buy grocery call repair people break dead week reality show completely staged picked dream dream homeless oh morbidly obese drug old young know going limited amount time care aware daily constantly crew people around cause seem mean seen resident talking colony lost weight think would ever starved think would starved answer yes one word gullible show finding gullible people deny reality front civilization would use film drop kick wilderness somewhere clause sign aware alone help ie medical attention contact civilization picked undisclosed date possibility may actually die due life threatening well joke sorry first saw prime thought would great look self sustainment need one around get well show way thinking great find kind diamond rough reality show overly dramatic every yelling one great aka stupid idea nobody else good idea stay away unless stand type show sure basically simulate society would post apocalyptic world trying survive idea intriguing watching however place right middle location upon full various got character think may really post apocalyptic world would saying might die one person doubt would happen especially since swarming around time tedious silly good way dull forgettable brilliant concept viewer less less five buy rent video information great recording digital copy rent buy instructional video instructor showing problem reason digital copy face therefore view swing go buy real view go see see suppose look like full picture teacher teaching swing first made purchase format course yet respond week five knew may work someone else minute video basically cheesy slide show guy collection fantasy net musical ultimate boring corporate video stock music something us could make even rudimentary believe sold like acting much drama movie hell without drama singing nice would recommend movie want money back disappointment good story line excellent singing however acting elementary well singing save money play boring hold interest seem busy make sense rent positive misleading lost oh well rented based previous sad say currently terrible production ever watched tony grant fan cast deliver strong ultimately offense production script theme well even experienced could made production better simply terrible love x skip one nothing x sort like name dropper meant impress problem film cannot deliver thing perfectly honest want buy anyway fault movie darkness bit much although unique one better lots bad language weak story waste time movie normally skip movie language top could made point without offensive highlight movie son rating think generous really disappointed huge robin fan movie gross sad pathetic really see anything funny move content dark comedy wrong movie great comic tragic reflection lost communication failing parenthood lead father roll robin person worth giving iota professional positivity son movie disgusting sick individual gave movie shot based respect robin performer trap waste brain usually love robin watching depressing turned movie may say hilarious whole time saw one funny line turned within first three care extreme profanity family f word rule first three would love see add family friendly waste time love robin bad movie get back one worst ever watched annoying first son auto erotic asphyxiation dude movie bummer watch robin better bad robin bad traditional robin movie bit disjointed choppy character development time quite depressing use difficult times bit cavalier weird train wreck movie good watch around think robin role bad one worse course talent form shape affected story bad movie produce paying great weak screen play idea movie actually shut less top unnecessary dis tasteful dialogue language could good movie get past first big fan robin wasnt interesting thought robin fan movie might make decent view none likable actually happy future rapist son high school suicide sorry bobcat student suicide school never school student suicide even minute group silence honor robin done movie favor bobcat dark highlight wait end like inappropriate content bad language movie watched watch turned really like robin one chose rating none lower found film disgusting distasteful would recommend film anyone love robin disappointed movie find funny understand movie watch whole movie would get better would recommend part found somewhat amusing last scene house like role like role son watch movie see feature though would love movie considering robin star got nothing time killer horrible language content robin would involved project like waste time think rating ever given robin movie sorry really like much anything except robin lance robin writer never teacher school son pejorative lance deserved kyle spoiled foul mouthed scheming brat sexual among hanging know technical term lost friend thing course dangerous one accidentally kill exactly kyle father almost hanging thing told dangerous kyle father advice like everything father said one day indeed accidentally kill lance body real suicide instead accidental one wrote suicide note kyle one would know perverted one one discovered suicide note police kyle turns gifted writer tortured one friend much afraid everyone else well school disgusted serious case father art teacher inspired lance wrote entire journal kyle full teenage angst art teacher publish around school made sensation lance onto show talk oh giving much away listed comedy suppose dark sort way find funny robin best think anyone could given film focus would hold seriousness yes teens major problem everyone try keep suicide sure way pro tip watch movie ever rest movie awkward mix funny depressing know got great robin apart definitely said think subject matter movie funny made uncomfortable honestly gave think even whole thing tragic ridiculous love robin enjoy many odd ball interesting one among title something completely different character found squirming seat uncomfortable throughout movie kept change pace never would spend time watching something entertaining supposed comedy teen suicide funny topic many humor based upon juvenile best comedy starring robin really beginning movie although slightly top accurately capture true life sense ultra dry humor atypical movie truly felt like could happening high school however death life drained movie although son behavior abrasive tone movie dearly relationship father son without son longer movie dry humor funny dark tone entertaining nothing worked make worse predictable formulaic moment wrote suicide note knew going take knew writing would get recognition never knew pathetic teacher would run back knew would reconciliation confession end really shame took easy way film serious potential end recommend movie father son relationship instead turning commentary society neither deep humorous robin dark beginning could watch like although writing acting real could get past extremely foul language taking lord name vain multiple times finish movie movie big lie end instead making right ridiculous path kind good message let wasted time disappointing actor robin title horrible dad everyone almost turned stayed entertaining know movie made funny robin forget movie teen suicide victim robin son robin father zero son suicide victim see obnoxious would hope becomes murder victim terrible waste film bother watching one huge fan robin let far acting goes movie however enjoy watching one son extremely disgusting much unbelievable whole premise every adult school suddenly disturbed top black movie would call comedy found nothing funny left feeling depressed one robin movie wish watching never rated written movie review movie god awful never get time back save trouble spend something else dark story flawed thir minimal robin character sitting watch comedy thought robin might funny lighthearted movie terrible know later watched first lots disrespect depressing subject matter father son certainly young robin used one favorite believe sunk low involved film read closer discover bobcat film would wasting time money movie perverse twisted fact robin actually enjoy director pathetic also would never film crass revolting entire crew cast filth vocabulary around gutter language used one cast crew member one good word say clue movie point care movie comedy nothing comical disturbed teen portray closet manner disturbed teens high school movie real low life behavior robin parent capitalize son suicide embarrassed suicide tragic acknowledged film consistently useless self absorbed uninvolved cowardly insipid scary message send youth need care guidance genuine affection threw trash want home want anyone believe would condone travesty movie minus disappointed movie enjoy robin plot weak found waste time typical movie see one time bad one robin best cup tea get waste time go watch paint dry awful looking comedy strange drama quite sick actually like dark really funny robin amazing actor story cast way pay grade awful movie comedy terrible depressing favor watch really like robin movie awful would suggest movie anyone would gave half star could enjoy robin high film disappointed likable believable writing poor abandoned film half way also streaming movie supposed funny seen many robin one cut grade robin reason chose real downer superb acting ability usually used impart joy time wish one robin character difficult watch language harsh see story going watched half wish wasted much time make movie vulgar funny story sickening pointless movie hilarious disgusting highly deceptive avoid like plague one worst robin ever seen extremely dark movie free prime pay would ask money back recommend movie based wonderfully talented funny star gave film try big disappointment film go anywhere embarrassing disgusting watch definitely degrading enough story set father son plain depressing watched good morning world dad seen two spectrum robin talent even finish watching much bummer robin well serious robin always watching film unbearable got first five take fair give another shot dumb comedy matter bombastically distorted lesson message learned absurd genetic found world hanger would find romance fascinating story film potential trenchant satire unfortunately taking safe path ultimately falling flat film slowly criticism main writer director obviously felt necessary really drive home totally unpleasant character son kyle put upon nature father lance together painfully amusing kyle death film poking outrageous fun many people need create nothing anyone say live vicariously finding excuse kind connection notion celebrity case turning obnoxious unliked schoolmate tragic myth father lance better might good part hide unpleasant nature son death turns exploitation death son posthumous celebrity first school nation wide good walking tightrope drama farce unfortunately done writer lack courage vein logical conclusion done might well wound great film least one deserving cult status instead however end courage apparently felt would ending would palatable audience large really bad top form certainly could taken film scathing caustic ending deserved choose like robin must severely depressed agreed film consider vulgarity funny stop watching film bad many ways believe wasted hour time watching pathetic excuse entertainment kept thinking improve somehow certainly wish could give less star save scrub toilet watch water boil either would far entertaining movie one worst ever seen scene anyone ever twisted plot crude weird watch like otherwise skip personally find movie appealing real comedy glad prime waste money much better worth watching usually love robin one best stopped watching first dumb dumb movie made big name nothing else could sit insult movie worst movie ever seen pretty disgusting waste time waste time horrible movie comedy bother know even comedy category got hour stand watch rest kept would get better never dark comedy son father gains fame whole ordeal saw could rent came rent later watching really thought since robin movie would good say really thought would movie somewhat dark around unfortunate accidental death used revolve story around misfortune gain interesting movie however type movie used seeing robin end recommend seeing would wait available sale one worth seeing get good deal one pay premium watch pathetic attempt comedy constant watched robin incredibly funny back days star give low rating want see auto erotica like dark humor gave low score well hilarious wonderful bold gave feeling generous go much longer change mind know movie found disturbing bad language throughout movie theme movie really address behavior child needs dose discipline skip one like robin greatly lower funny robin movie looking watch serious drama would rated higher known prepared drama would suggest everyone movie actually watching movie several times get turn husband bad strange slow suicide movie like husband left room would watching movie either take advise rent buy wish done one robin best trailer led believe comedy mixed serious subject comedy work main character movie dead one day closet belt absolutely horrible terrible movie confuse traditional robin inspire former fan never watch another robin movie watching one never used pick director watching another movie made loser either worst movie ever robin good story took turn way finished like predictability funny dry disrespectful watched goldfish tank looking comedy dark maybe neither depressing waste time oh well could watching mask pet detective sound led background would much better use time one star rating hate word two know keep watching hope get better yeah sad disturbing dramatic underacted throughout get movie fast possible glad rented red box description movie false advertising comedy teenage son accidentally shameful way dad character robin first find joke two amongst horror sure sincerely concerned movie cannot emotionally stable please subject movie totally disgusting waste time another looser believe wasted watching piece trash vulgar finally even got husband knew right turn piece trash almost anything plus vulgarity plain immorality kind movie go read watch entire movie fair read ending even ridiculous glad wast another minute bad one hour photo laundry half way stand listening son complain desperate one robin best work wife thought weird somewhat depressing understand son order robin appreciate situation robin acting left desired better luck next choice hope like movie much morbid would recommend anyone robin comedy language plot disrespect son terrible waste time watching movie thanks depressing movie robin comedy section know depressing drama one best boring real sleeper message fast forward keep falling asleep wish truly film even sufficiently sure could true degree phony talking script course exploitation dead son cheating ambition lance father kyle impossible son bad enough ending far satisfying even understandable premise even worse one reviewer another said best film decide whether comedy drama tried neither dialogue early part gross good direction tight quite cinematography sure anything could made better movie glad pay see love robin think great actor great movie like language son attitude sad watch real downer waste time simply horrible acting mechanics movie story whoever thought story worth telling needs rethink career choice movie made sense towards end completely believe robin movie disappointed story line ridiculous rated comedy even close rented back robin like watching train wreck kept watching movie thinking got get better nope never got better kept getting worse robin hit current show performance movie plot disgusting premise gag worthy movie progression downward movie waste time something depressing antagonistic towards life goodness world movie depress interesting idea full sick sexual death familial hatred value even much humor excited see judge movie cover robin great cover watching entire movie found none applied believe considered comedy far comedy son self accidentally afterwards poor taste badly written badly produced badly cast movie even deserve star could give film loaded zero percent comedy bad acting bad writing zero charm heart soul skip movie nothing good hardly good robin movie man man year heart soul funny unlike movie except opposite dark funny watched message good delivery little hard watch bad choice robin part take movie bad husband actually threw away knowing never see make sure son would never get watch bad two nothing ever robin movie depressing movie throughout void humor total waste evening watched run good robin movie cannot believe actually produced movie guess dark worst movie ever seen watched year old son could say move really bad ready turn kept thinking would get better watched whole thing son robin usual funny self content taste disturbing uncomfortable watch looking comedy want watch dead serious drama nothing funny movie fan robin film funny however dark vulgar content film difficult watch overall message movie good really recommend film family skip movie save time money zero lack plot movie obvious obscene waste money spent dollar rent worst dollar ever spent horrible movie think funny call comedy rented husband robin figured even though well known movie would get anyway starred disappointed believe would play movie like morbid humor thinking even read script maybe get well rent buy robin save money something enjoy like maybe dental work guess learned lesson hard way read synopsis prior watching waste laugh even one time comedy looking forward seeing hoped would another great performance robin big fan time movie gross disturbing comedy movie nothing disgusting sexual one right another movie matter bother glad blockbuster area still expensive world dad like world worst movie listed comedy comedy watch comedy instead got sad depressing movie thought robin starring movie would funny opposite say least movie depressing slow moving almost boring recommend movie although movie funny way soon figure something happen climax chosen something bearable movie could better robin w great movie comedy barely made first movie took interesting turn predictable film end worth watch whole thing bobcat wrote directed unexpected turns overall two dimensional film one kyle reason jerk robin need bad like robin jump skin tear one material let interesting concept short feature hilarious see word ad movie run movie son film everyone everything life anti first film nearly times film everyone far control help must pay heart surgery film bottomless pit insult everyone dad dad caught selfish life way sure let insult actor take role try tell us film put would say word used instead fag word gay male something would love see sure give great review open minded free thinker waste life time gave two acting come sizes doubt post far world picture glad prime movie waste money movie would expect raw would recommend movie anyone especially funny language horrible continue watching kept bad worse find least bit funny disappointed since robin usually pretty funny first love love love robin genius movie pretty uncomfortable plot unfold quickly enough finish without giving anything away lots made contain sure movie anything good finish looking comedy need robin fix try something else first amazing actor star crap sometimes one works photo shop crap ill never get back nothing movie good watch trailer seen best movie best work lost interest much profanity sexual content real loser robin thinking film goes way beyond unfunny disgusting cannot remember film worse several made good movie avoid future try find time visit bobcat mental hospital reside watched first able see right away movie really like robin find funny chose watch film movie depressing movie watching horrible movie even finish watching robin movie depressing pointless waste time money could given less star would extremely disappointed robin good role first time balanced bit humor serious subject since give give even though laugh two reality heavy drama tragic story watch like maybe disappointed extremely depressing watched depressed movie would made much worse way reviewer said leave negative feedback movie live say comedy dark humor black comedy even intelligent humor another reviewer said known movie going dark depressing laugh two one robin fully aware amazing ability comedy well drama like see comedy movie suicide accidental otherwise sure accidental anyway nothing funny suicide pretty good would known dark may point right make people think getting one robin much harder act like train wreck stop watching kept waiting movie open never lots physiology cover brief like wonderful hilarious one single laugh movie even mildly funny fact opposite irritating disturbing sad gross hard watch times certainly wonderful reviewer really say perhaps bother reading professional turn throughout since read moving kept hanging see hate sake selling movie marketing misrepresent film believe irony even subtle message mildly meaningful however feel worth time took get message quirky strange good way ultimately boring doubt movie going change certainly make people laugh robin genius find surprising made film even special feature uninteresting funny like movie funny frankly rather depressing also much work something entertaining funny found something sad discomforting put something afterwards wash memory head watched robin waste depressing get min probably got better knowing turned fall asleep robin one favorite bombed one low pseudo actor streets language sexual went far shame robin one even normal quality say usually pass disturbing gross look bad know cup tea like son emotional several making show life acting frustration life supposing writing suicide note later book subject rather sick story line completely disturbing teen dad elevate finale going diving board naked worst robin movie ever robin one men ever star silver screen occasionally weird dark comedy hit miss world dad teacher son bizarre embarrassing death suicide note forged printed school newspaper making loser son overnight sensation great actor credence even bad film like even save one story ridiculous son complete nightmare everyone dead one would sudden care wrote heartfelt suicide note also extremely unrealistic since son stupid come said exception newcomer eric martin rest supporting cast awful making film much unrealistic world dad may landed star sloppy movie really make whole lot sense hour half pure torture occasional funny scene robin one film slow never going anything hilarious wonderful film without question one worst ever seen would consider movie dark nowhere near comedy one line rest movie made feel sick stomach kept suggesting turn husband felt need see ended watched end said sorry turned given descriptive leave known dark would saw hilarious robin thought family movie family friendly good seethe many robin wish known watch movie first foul language wish would give proper rating know decent watch sick disgusting filled bad language realize far gone road perdition one worst seen laugh found disturbing rated movie one love bobcat excellent actor saw value movie except maybe last minute half dark comedy adore dark comedy rented movie must place good movie dark comedy also plenty depth movie human condition exaggerated maybe rotten sometimes fact reality father pretty much horrible way people read want movie justify really nothing beneath surface nothing worth laughing even sarcasm matter fact two people rather know hour plus spent staring via computer monitor robin hit miss last whole film downer death really difficult subject handle dark comedy especially one person young son person point son whole movie humble opinion pointless nothing nothing learned camera disappointing film watched hard kind movie like robin time terrible would recommend movie anybody waste time movie know movie ended bear watching long language overdone imagine real father spineless part robin maybe real person put obnoxious place later movie stick around find talk big fan robin world dad good hard even call comedy really good role robin watched film thought bad robin even film let assure robin much better awful lot sexual reference pornography glad got see would much robin watch theatrical rental several times funny get past first vile movie turning let see time saw choking whacking punk telling wanting pooped telling girl p eat gee miss sorry spoiling theme anyone read nobody mention crap could get money back would robin ashamed involved deplorable movie movie content care watched found something else worst part unexpected scene teenage son hanging stop movie right trying purchase program system kept sending sight digital maybe ignorant assumed digital video disc digital mistake hard copy program trying watch streaming pixilated choppy kept stalling probably important information increasing process would sincerely like request apply funds sent purchase program would glad pay difference cost send please sincerely r time customer rented movie demand sound totally see screen nearly full minute behind hear completely impossible watch let alone pay attention actual content like would great fixed waste money previously video sound indeed completely level content wise good start however would certainly recommend people interested topic make source everything would expect film minus senseless violence nudity far camera background theres good full frontal scene movie extra star corny point funny way skin please waste time one seriously shame stupid boring unintelligent trash rented based one star review would truly love know dealer atrocious like horrible bad hour timothy review accurate rent somebody please kill make quick much like watching sesame street crack trip ya see big bird vampiric big foot creature drug induced could bad atrocious horrific garbage like b low budget one fact comes category rarely used rating wish rating real dude cool though love god skip torture got headache got go take something read poor decided watch anyway since people different acting bad plot halfway weak boring good thing movie free film bad acting soap opera overly facial goofy dialogue went bad worse ending unrealistic absurd sad depressing edification show reap sow show providence god thanks offering learn trial error error acting terrible didnt capture interest never finished movie wasnt worth one worth time boring start kept watching see anything ever nothing ever logical plot movie terrible acting felt like total waste time entire movie like made movie simple plot many absolutely nothing else two regret much type book read sample thought might like whole shifter thing point kept dangerous went back work next day like nothing generally enjoy north border generally generous antagonist potential actor keep going movie well good story going part took nose dive last third movie never insulting give rainy day watch post calibrate mine one way another mind low budget one laughable acting many plot hapless camera work laughing climax movie thing merit basic plot even could sustained hour worth material stupid stupid stupid worst acting ever seen never get back least free acting poor movie way long suffer poor acting think story line good would better acting literally reading spent whole time waiting point none acting ultimately something make much sense interesting whole concept potential disappointing deliver dragged much feeling story could better told half hour rather hour half glad free watch people rated one star watching different movie another really bad movie poor acting poor poor choice could give zero would possibly worst acting ever seen even made bad lead female pathetic victim acting cheesy found murderer trust waste time one regret watching killer keep unraveling killer right though female lead rather annoying get car fixed talk mind middle school high school boy guy would definitely enjoy movie remind player days tried hard get girl trust ladies worth brother course husband thing ever got even think worthless thing could say hope money complete crap tedious poor acting script writing recommend watching movie grainy quality poor help fact needs lot better make work film horrible many vague lack plot complex topic see amount time plot start poor quality lack kind closure viewer even start see handwriting wall going end actually rented accident feel warn since see low low production stupid stupid script bad movie worth mislead bad bad wish type available prime care type movie would soon prime detail story short weak many story th acting awful insulting poignant story told opportunity bummer big waste time thought neat prime many obscure realize wrong one lost forever director cut never would considered moment wasting time feel like director cut anything big believe would sell crap like wish would read wasting time money title today sat movie waiting something happen bad acting bad script bad everything movie even free waste time one rip minute video rip take send money back notice long probably would given clue like something college video camera really story insinuation badly horrible camera work save money give miss art crap horrible movie direction waste time money short film many different time none conclusion end film call movie false advertising rather short set clips acting script production level year old movie probably made hundred yank protect reputation also prevent like positive review movie scam nothing erotic thing tragic movie rent pay watch everything one star true every way one person said couple positive totally correct written someone junk absolutely anything substance quality plot line given manner telling showing nothing let alone real story line total waste time wish knew portion prime watched movie would vast majority embarrassed admit watched truthfully hopefully spare someone else watching looking anything review look movie longer movie plot getting ended short money three father level naivete would find excessive year old let alone whatever supposed plotting poor dialogue trivial nearly enough nudity make bad bad ever seen burned anything bad write screen quality good like watching old set think unofficial stuff bad deserve charge anything movie terrible regret wasting time call sleeper movie good movie insomnia movie totally wast time care hardly story instructor going hip studio performance really match instruction given music instruction find dull also find instructor stiff rather dull little joyfulness good effort really movie rather still narration dull presentation much bother try martin much exciting ordered movie mistake brief look make watch really order state within terrific series favorite action intelligence type entertainment series really enjoyable watch hiro peter either simply l rebel west everyone else either villain undecided self absorbed know use flying man fly seer self healing wench jump high super strong psychopath multiple lying sack walking mind eraser lunatic evolutionist experiment people time series ended convinced really truly good people world ending ultimate super villain becomes reformed suddenly good people yeah like ever good show clearly victory good evil sense soap opera crap really contribute anything story confuse everyone holding getting locked car trunk together really like gay agenda every show could take best expand like hiro legend making past mind reading ability solve peter passion helping saving would feel good would attract like crazy get bad pound crap every week times evil winning many real life great see regularly beaten fantasy program hint jack ultimate hero good evil really want like show guess heroic enough ordered season never got twice contact seller get number still order number seller sometimes good bad really didnt know go maybe try stick one character instead multiple st season amazing plot got convoluted biggest problem closure package came busted freeze also gay agenda pushing family say way reck series great show season shark carnival stuff really looking forward season show season good outstanding series huge bang kept climatic season ending well done season slowly still strong acting character interaction season primarily hiro journey back feudal japan hiro far best character show opinion season mess people already said met season see drop face earth forgotten season add stupid like peter father coming life boy guy actor internment camp plot line promise fell flat end comes season hope promise could series back original glory sadly case quick much character annoying unwatchable season understand much air time expense show good actor character creepy whole carnival angle dragged long silly ending hiro season sadly get times bright season particularly touching enough development character cool angle wife new guy secretly special bad taunting marriage would good stuff instead sad character time regret wondering could waste bottom line blame show promise disappointed end video audio way buffer right middle screen high version many contact personage still never received refund hope one else mistake decided change everything season certainly took fun imaginative action drama turned dull lazy soap opera worst took fight many interesting end season discuss run new government funded company never instead main involved falling love old colleague old tough willing anything accomplish deliciously wicked season little screen time season vengeance pretty much went college experimented relationship hiro got sick got better peter lot little else meet new friend emma big journey season trying make real human think even little action lots soap opera melodrama season took forever build entire season could compacted exciting thin enough cover whole season example big threat season carnival first episode could tell making villain real threat last couple whole season setup season though although hybrid could completely simply blood done season watching free mental prison another satisfying story resolution hiro relationship sad well written unfortunately shining like far thanks season end bang like dull fizzle good kept interested new tide moving boring volume get live circus bust needs leave earth needs turn nice guy really screwed series could good beware thinking also writing teens cut season wow awesome premise beginning writing staff anything similar team joss put together buffy potential amazing develop past tie new season um strike still holding hope season season seriously w f explanation ridiculous nonsensically change enormous potential toilet clearly less stellar writing team understand character development concept like buffy walking dead work fantastical supernatural aspect work surprising core stuck around rumor show holding breath season season first season great went downhill one incredibly boring obviously know added totally pointless order keep show fit together like disappointing stopped season series last season iconic fi series completely premise resulting bland incomprehensible bad running joke big bang theory review identical one posted season cable never saw series originally picked goodwill thrift store piece story line got see end big mistake seem run good somewhere along way currently airing show pretty neighbor know one need name one episode character angry channel one favorite without conclusion fair discussion one thing season got progressively worse care ended agree wish seen program wasted money spend money went ahead spent time watch bitter end waste time money curious try find thrift store paying full price generate far better want invest hard money use something similar back future absolutely awful end put bad season one show entertaining two three less still season four unwatchable thinking decided introduce carnival plot thing viewer idea story going different trying accomplish anyone really care point disappointed way series ended especially strong start first season character comical intriguing carnival stretch original script show fourth season series great watching discover end series deception somewhere series description summary generally series last season involved kissing college like type morality screen order watch final season entire season building nothing time see whine experiment confused wandering peter completely useless weak like little apparent villain series pathetic battle entire season complete unmitigated waste time show never cease amaze easily disappoint wow well say watching show like strapped control speeding track realize end suffer horrible fate unless free time show going five sad end piss poor episode season could really care less season like season though listen well please dont money stupid poor excuse show many gone hillside show poof gone forever dont understand anyone enjoy series year writing acting action plot character bad glad never bought single season series would sorrowful wasting money tried stay year came back midseason break see different answer please dont tell stupid dont understand show one star review death going gang call retarded anything like need seek help everyone like like shouldnt get mad al season long r p obvious show runner never knew season one tell season gotten progressively bad skip show watch something better written dialogue beyond funny great show got tired saying oh good never lots talk searching everyone tiresome make sure fast forward working player charm introduction vulnerability power delight name season rarely major disappointment surprise series tanked real shame blame trying deep ironically providing shallow version visual art show dude show listed men series conversation broken best description series much promise felt like volume convoluted absurd chore watch carnival compelling mainstay like lose appeal used favorite series incredibly disappointing way end continuity would never finished watching season done scratch resume old looking forward new series st season prior last last episode good rest awful season poorly hill plot drag nothingness nothing sense absent minded year old main villain awful bunch mindless non seem time find disk skip ahead dull long winded ultimately go nowhere would rather throw money away buy box set though season improve big feat really still severely go nowhere syndrome would think course something significance might actually happen show rarely case week week show along nothing really noteworthy viewer bore coma applaud change scenery addition carnival setting though addition alone lot promise beginning always unintentionally silly show plagued creatively post season goofy story inconsistent plot go nowhere completely lost interest season end even sat couple right finale longer patience tune catch finale though thankfully last five finally something done season little late though show really along since end season one glad finally put long ailing show misery honestly say never seen television show potential lose mojo quickly completely really shame suggest watching season suffer insomnia great cure put right sleep every evening tuning reason show save misery even die hard admit blow overall found series mostly entertaining really apparent lack importance series story show mostly apparent uselessness mother really wished character would kill ruthlessly never season like third tried give us new foil match villain dubious much better third season second villain end pathetically easily fourth season new villain could better written truly horrible would actually say stick add fourth overall pretty bland though get watch still probably feel little regardless struggling finish season wonder last one first couple season one best ever seen huge potential got repetitive annoying come resolution big plot well open new story bought gift dad birthday day gift everything good got last disk play disk work fine trust much like used new box feel start whole thing saying one time favorite existence absolutely season pure gold much fun start finish since start going downhill still lot came season redemption sorry say feel halfway season telling people watch season got green lit actually glad see show get ago never thought say thing carnival interesting entire season every character every inevitably got carnival interesting season completely serial killer road redemption felt forced unrealistic sudden homosexuality say right problem homosexuality gay never throughout kind interest like desperate plea built character sister lot redemption never sister season redemption season made realize along writing fairly sloppy full plot reason season specifically made realize season worst also form show made every negative thought show came back full force season favorite show barely even look huge shame series love much go downhill badly miss truly wish could went better really like way story took turn whole carnival thing still interested finishing series though product complete collection st season far best progressively got worse final season reason anyone buy less go hill see network renew disappointing finish show great potential series whole much recommend first season pretty big let never right seem whole carnival thing work spontaneous conversion never right either course series complete days without major character coming closet really needs stop top regard lots nit couple funny bad rare bottom line series season reason series great watched glued problem series abruptly closure like never finishing good book program pro gay pro evolution soap box rather trying provide entertainment seem ideology movie explain celebrate movie went celebrate ways recommend movie since telling celebrate interesting unless lot interest dont suggest even finish description lead believe dervish actually feature dance rest interesting information looking information whirling find much great price one time decided show class church hate screen must setting however audio well done exciting animated film screen text video although video nowhere site report problem instant video product problem stuck two content good picture quality poor unable watch audio would interesting historical film except main video quality sub standard music background annoying one point actual clapping took place following music performance please waste time money copy armed documentary poor copy lost detail like looking fog covered glass bother watch preview two movie two movie made forget whole thing slow boring much better needs someone boring would recommend documentary well done apologetic audience sure everywhere rest us objective presentation creed history politics behind bought first segment watch perhaps high see material would towards wanting integrate doctrine work saw context rather holistically common occurrence close idea support theory saw something scholarly clearly author religious political slant point uneasy watching excellent series instant video version badly though quality great audio several throughout whole film shame series really quite good excellent mason theme song waste money superman cartoon son would enjoy plot great still normal animation animation apparently done cutting physically digitally probably art original comic moving slightly e one step simply showing static page comic narrative track found animation style disconcerting uninteresting unfulfilling reason one see series worse yet original comic book art therefore art series simplistic unsatisfying whether fan silver age later also hard recognize made familiar last e g jimmy one see art style going red son mark superman red son paperback look inside series composed dozen minute one costing bought separately one first like opening took third time highly subjective measure saw first episode intention watching rest even free reprint comic book animation comic book style format video format huge fan motion begin seen several plot character development stand point one really develop anything seem long idea would happen superman landed instead intriguing really character story line justice save money animated movie motion comic story bought thinking movie understand desire drawn style sense cold war era reason gave two plot wonderful graphics well drawn nostalgic format low story execution practically criminal full animation reason resort basic sub hanna form animation voice acting wonderful ruined terrible animation dreadful little episode weirdly short episode actually two episode title ending credit sequence maddeningly long repetitious redundant lit prof used say tedious doubt get past episode depending upon count probably buy graphic novel never watch save money sorry used wear superman run around house trying fly particular series light content talking second clips really terribly disappointing little actual content get buck less song ordered video comic fan video digital reason low rating finish watching modern animation turned truly thought well produced nation movie potential great huge fan man steel since child saw new slant old story thought picked quickly found series original graphic novel already little additional material story say none dynamism count something get graphic novel really want read novel go pace find story much enjoyable waste good money biggest waste money ever seen pet better buy item totally like flip book poor quality bad animation waste money several better quality get less interesting concept superman ship landed russia grew type totalitarian regime get story rest screen worth pretty slow hard watch like worth good story worst execution way go could fall face better job say wow good wow disappointing wow thought could actually cool way wrong story fragmented one know whats really happening one episode next unless read comic thats saying save money go buy graphic novel cause hodgepodge red son series make little sense high sad awful animation story weak would kind waist money welcome add format three long two per story getting interesting episode mention want get really sick theme song listen forty eight times less row interesting story desire squeeze every last penny format unable watch current player therefore purchase additional player time purchase likely happen bad finish picture cut end plot everything done right ruined producer read write happy view give halfway something wrong instead calling police like anyone else situation climbing unsteady trash metal variety get look inside house wearing high short dress knowing go bad guy hear climbing stupid beyond belief gave watching dross mean come people unless either death wish really really stupid personally would pay intelligence trash really waste money watch dire nonsense biography short incomplete would recommend friend watch simply put poorly done boring blah blah blah say believe save us endless dribble disappointed first let say one best past several great intriguing top notch production excellent cast also one visually stunning ever seen space absolutely gorgeous decision release show ray puzzling going buy hard core hard core going want see show wonderful detail resolution ridiculous waste show broadcast intended day one sell last many tragic made way show handled fi geek much next guy tried like aside awesome less fi soap opera set space well done kicking way think due fact target market severely great prime time soap yes fi nope second season cardboard squeaky clean uniformly good looking even fat ugly one quite good looking main character two first episode one international news still go mission phrase guy mind music really lengthy musical crew looking particularly dreadful presumably designed cover fact script plot really lightweight one lucky leaving grit realism come everything clean one thing could use pilot chuck bucket would help suspend disbelief want say onset love reason could call setting slickly glossily produced show like beautiful plastic apple taste substance little soap opera space watched sad see go potentially good story presentation self conscious look space coming across phenomena understand got human baggage strange wonderful life form need wonder pant pant ho hum sent sold new item sealed never took look item broke badly defect science fiction first foremost framework tell story human condition spirit mankind journey hero often many us willing sacrifice story technical gratification genera routinely deserve critical treatment always two framing whose presence critical successful telling science fiction story epic scope believable science within framework wonder science storyteller build make story personal meaningful transforming story something become part becomes greater disparate alone case gravity however series far fallen short even sum seem woefully unheroic viewer left struggling figure society planet full people would ever chosen send particular blending people space point watcher immersion forced recognize brash reality selected artificially purpose far extremely elementary drama instead taking route would expect find situation develop complex rich empathize feel tried force poorly meal upon us notice paper came crew fast food menu far yet find character appear simplistic juvenile completely unbelievable group men supposedly represent selection training recent episode watched fear provide viewer explanation obviously unbelievable behavior show fear unfortunately appear assuming less audience capable end left cannon plank immature childish incapable dealing complex emotional non communicative essentially believe humanity fifty future operate mode would never find tolerate current space exploration gravity attempt blend target usually watch show providing surface would usually draw program unfortunately viewer left drama work science fiction success unbelievably shallow poor science compelling epic story arc left wonder gravity survive first season watching soapy relationship entangled space opera five endless glance watch notice five award purple heart patience like somehow manage stick turkey distant conclusion purpose finally nature unimaginable mystery series one grueling episode another keep dangling enticingly perhaps one feature gravity immense sense gratification relief lightness likely experience e worst enemy series space exactly would like show set production space ship really attractive look empty shell finished show like band fine narration episode spend time earth opposite sex acting like stupid college go astronaut bar every night work average fi fan view good like battle star good like gravity one thing fi else get alien whatever like get right scare blow mind way gravity finally get alien threat crew dud scary piece almond candy case candy powerful thing universe yawn get first season universe way better gravity probably second season showing know going majority opinion say lost endless flash beyond reach revealing secret explain island one love gravity two dimensional flash galore talking episode secret always never revealed top narrator end episode cant anyone make true hard fi possibility future exploration colonization real disappointment really looking forward seeing television could produce fi arena us watching disc set unfortunately despite great special effects decent theme show thinly veiled adult plot another top gun remake especially stand otherworldly obliquely beta creature everyone course everyone act sexually indecently puke incessantly physicist time either watching really believable deep space addiction would quickly overtake coherence intellectually team biologist destroy rabbit exciting work eh supposedly married would stay together voyage oh separate two quickly initial launch room could made gratuitous sexual innuendo part previous lover sent substitute afraid depart like script like one night open mouthed kissing sex real prevent kind interaction among space space resist incessant flash sexual insanity partially clad bathroom locker room target demographic must save money one avoid wonder series deep first episode god nothing gravity disc set complete first season unaired completely false three missing threshold bacon fear un eve ate apple kiss feel completely since one open package returned full price beware series interplanetary exploration right would sure fire winner unfortunately people series knew nothing space travel near future indeed writing acting sad waste sad many ways network outright show trying cash rather spend money ray release mean come already going paying hard money mid season show clearly high resolution spend extra deliver high quality product ray decency mind show firefly interesting potential suggesting ray release wrong anyone ray going us since ray dipped purchase media going forward certainly recently would actually resolution show good mid stream pick purchase highly questionable practice need keenly aware peddle cheap unacceptable thinking wrong enjoy endless previous days lots lots relationship personal show watched half fast forward throwing salvation army donation box agree space much soap opera space nothing predictable lame sex large role music lame get another science fiction let anything original perhaps bring firefly back please bring firefly back disappointment thing like soap opera anything slow moving must really young immature really much space travel real bunch emotional spare time get drunk feel sorry protect humanity crock one best series seen character whole season viewer story plot somewhat fanciful interesting outstanding spectacular overwhelm shame one season series title good show sure people buy rewarding network interesting series half way run utter junk purchase free thought great show couple favorite let see future science space mystery beautiful like however little slow times dragging mystery ship across many rather make anticipate next episode plus big fan give one star believe rewarding shortsightedness first beef still speak really say mean course shown spiritual talking garbage destiny whatnot people actually worked lived spent time college work situation really like seriously trying make show space set little bit future trying delve people add depth course add token minority portrayal make total stereotype way go hope kill poor dude suffer lame acting accent main beef throughout show starting within first episode spoiler allusion mystery something responsible behind scene basically happen next pass without us ever mystery thing finally day finally revealed anti climax boring move along nothing see video intended teens short even mediocre beside point main thing one star fact way cheesy creepy time much better sincerely believe ram probably want watch film shot early days return film apparently trying turn group drop day primary message raja yoga give high without expense illegality film try back claim low tech merely wind looking ludicrous shoulder appear mystical upside evolution yogi would good laugh rental price exorbitant minute short picture like high film higher resolution waste money look realistic little quiz might crab boat captain main character discovery channel catch following true male father crab boat abuse alcohol abuse physical violence verbal prison labor camp working demand crew show respect display honor act manly define behavior none volatile unresolved anger bubbling underneath surface constantly looking f correct like watching type sad drama play v show enjoy plot husband boring needs plot variety never got see ever several fine really see movie horrible acting made sense felt like wasted depressing yet honest movie utterly self creator best word comes mind film film ruined male voice spouting pretentious pompous pseudo poetry awful narrative utterly might decent film immigrant life us told naive young dashed southern imagination male ego essentially wanting art film expense honest narrative tortured film el far honest well done well intentioned deeply flawed entire blame failure film director wasted idea laziness noisome cheesy ness exploitation revelation avoid film bad movie made even worse irritating male voice spouting pretentious someone must thought poetry really awful usually read watch movie time big mistake description misleading inaccurate thing correct two describe beautiful saying two naive understatement never learn keep making new unbelievable one murder pleading guilty sent prison time county jail learning martial soon freed screw really rest movie bad worse time good thing say upset terrible color everything yellowish tint glad cannot stand quality would recommend anyone buy would rather watch first two came nice bonus season however came one dual sided nothing else show bonus season season special disk known luckily order season time favorite season whole show play dual sided player kind let bought cheap yes know release would flipper disc however realize side would play computer would even recognize side b show good teen drama great pop music classic longer unlike teen cough cough welcome disappointed disc came side b work nothing getting halfway season able finish faulty disc could seriously sell someone movie potential somewhat funny poorly produced lost almost comedic one scene thats always going funny otherwise story line pretty flat character two female actually quite serious funny like would much better made budget modern funny movie one really great thing see woman lead role absolutely average big applause great film given deserved would really something oh well maybe get something better next time simple truth collection old training like funny interesting major major boring save money whole deal way scam movie thats really movie first video cheaply produced like also actual red music play throughout piece almost entirely band former whatever clips actual band suppose learned little band history overall film dull repetitive poorly produced worth paying certainly boring boring nothing insightful group wasted three movie preview white fan early band saw start career nothing new band band video even background guess un authorized documentary would get love waste time make documentary band music answer boring stupid enough music much talk guess concert documentary opening screen documentary music video known would rented descriptive copy know music got bunch talking gibberish total waste time glad free prime spend anything extra find bought one one else could warn take warning god awful technically shaky camera extraneous noise voice dubs amateur acting defined story line think one scene ever ahead time next time please although fair could get half hour take know amateur film zero budget thing something recommend sitting unless like sort thing boring boring boring script look like recreation classic movie movie worst total crap unfortunately interesting idea one reviewer gave four must involved project shut right get see monster dressed realistic really get nothing drug nirvana description misleading even bad movie good even bad good worth bother cheesiness start another crap feast forced us real movie extremely bad acting cheesy rubber masked monster unlikable humor truly work emotional times see camera crew boom even hear walking group behind single actor street fight joke every scene noticeably set start see waiting director yell cut good news love get together b movie night one fit bill many cheesy thing pick thing apart scene scene laugh loud rubber monster fun could great movie much meaningless goofiness watching goofy comedy family drama like movie watch shut dumb movie normally like story acting justice seen much better picked ray box cash cab episode catch clearly dont know oversight bought disappointed particular episode might decent sound track something along shark week semi educational people people talking probably show obnoxious rock music voice understand hear said disappointed wow series really gone downhill suppose left already covered milking steel mostly shark attack worse obviously artificial painful watch everyone involved energy barely contain guess figured could watching like totally awesome insane mind blowing thing ever realize getting little way actual information another thing show divers underwater speaking via underwater communication equipment obviously overdubbed divers wildly like kind rabid power ranger humorous see home fact series younger addicted attention deficient x generation awe majesty nature discovery gone item really found interest set one bonus glass detailed faced keeping first shark week even though perfect anatomy shark bite still hell lot entertaining educational another bad rear movie ever film least slater act easier please stop making everyone days think film maker actor film make money back film hobby one getting people like rear normally hate give negative film try really hard make good film limited unfortunately another example guy getting thinking next romero bad acting worst seen since fan fiction series star trek new premise good really idea marijuana nobody zombie movie next twelve angry men better better acting better script better tripod best part movie fight choreography actually pretty good nobody believable like mob boss look sound really hope rental fee goes help rear invest good tripod actually fast motion without jumpiness seriously like video higher resolution far wide screen x aspect movie x video worth time bad acting bad story line like average individual making movie back yard horrible movie b must c movie watched first take poor audio quality nearly unamusing plot scary character like simply dressed full body low budget production boring awful movie ever terrible seen better little ridiculous extreme inability realistic anything low low thought pathetic another shadow people since trying prime membership saw shadow people simply thought movie different cover photo cover two somewhat similar well looking potential watch somewhat consider cover photo movie look professionally amateur cover photo like would well done movie completely wrong movie category home made amateur movie would undoubtedly see decent movie since movie mixed professional seen plenty b rated low budget movie absolutely horrible opinion even touch considered low budget movie people sound microphone hand video recorder used instead professional boom stand e hear distance reverb acting absolutely terrible special effects terrible set terrible assuming built someone home got oh go feeling saw content warning gore provided agency typically professional worst movie ever seen film really put amateur category otherwise people like expectation seeing professional least low budget movie truly homemade movie pitted amateur home made would league similarly made write review part warn would steer clear terrible attempt movie regardless whether prime membership thank goodness pay prime membership doubt want waste money time film believe well sit easy appreciate idea film effort took make resulting product poor clearly see effort done well could amateur independent film altho sure truly independent film making rather low budget amateur effort acting alright plot least well thought execution mostly poor due poor acting poor acting uneven unrealistic mean people afraid impossible tell calmer trying almost hysterical fear bland look desperately seeking say upsides acting cast business man right one even tho film obviously low budget bad watch body guard really act least true concern give effort film slightly tolerable part longer focus acting made cringe sometimes realistically story calm rather unable behave murder mayhem taking place absurd put kindly overall certain glad watched particular film even tho myth shadow people film concept justice shadow people focus even focus merely props gore ending music hand quite entertaining even backed track watch hear song smile generally enjoy bad many entertaining one way shot willing let go considering budget acting worst seen make b diverting times consistently poor though find much value half hour film made attempt becoming exciting give move try might could get archaic format written th century dreamlike journey imagination pilgrim progress timeless outdated kindle version prepare script write cousin church web movie could wrap mind heart around tale despite mother atheist father despite book surviving three print despite whimsical edification story could draw character hypocrisy hopeful mercy celestial city valley humiliation doubting castle symbolically one sense pilgrim progress written pulpiteer works near antiquity would likely drawn narrative enthusiasm someone sought read quickly purpose modern minute skit preachy far fetched pale comparison movie supposedly movie could watched family however first scene pornographic result turned stopped movie wasted money shame hate diss low budget usually labor love movie could entertaining laugh loud test look like got mart graphic quite misleading kind stand stupor gnaw rip body mayhem behave exactly like stand stare god forbid anyone run away nudity vampiric attack seduction strictly dinner time even quest see every vampire movie ever made try put one long possible show great advertise know attempt psych advertise description case arrive issue sent replacement previous issue ordered something version time instead something option see issue problem one best funny creative sort let psych far favorite show th season taken proven winner real life reason manner along comedy sure reality watched entertainment real life bad felt evolve last disk hue play gift return date disappointing bought gift someone enjoy show beyond show completely moronic episode promising enough unfortunately went downhill rather quickly fact would say worst episode ever seen wife perhaps vacation monk unlikely place forest unlikely event may made unlikely fact monk merely hope badge yes monk would love get badge back doubt ready walk around forest dirty become even ridiculous forest seem able hide anyone also forest apparently small place people travel along path bush people example also food floor supposed guarantee bear show eat preposterous could forgive sense plan two credit able effectively conceal behind small shrubbery plan actually almost works bear right away love monk hope never watch another episode like one episode rating saw three however three excellent quality clear matter fact going watch another episode shortly monk genius thanks interested opinion husband really whole monk series bought complete set watching twice longer read player computer series bought enjoy watching time disappointing good quality son rented never really got watch beyond control ended waste money would hesitant purchase good show went high similar save time good friend enjoy weird liking may like worth watching waste time sure many negative show worth time idea unique seem work hold interested enough make half first episode man posting male perspective funny show though bad bad bad lots adult content predictable make past first pilot watched show writer something consider sensationalism tara removed would much show move rapidly tara want anything objective existence simply appear awkward times show raised far quickly making outside flat show colorful quirky keep show interesting rather make real real character gay something gay show edgy sexual humor keep audience little set punch line tara appear run amok becomes boring predictability show sensationalism tara rather writing conflict want nothing striving nothing drive story show desperately needs crash course writing oh yes five ago see somewhat real many tara use many foolish treatment use talk therapy drug therapy would suggest start fund take class least buy personal copy take left perhaps poor writing show stated statement circular reasoning may hint show power tara could real person instead caricature thinking show kind liberation people suffer suffering deep fell far short mark watch whole thing put language probably watch really like show acting nice suppose situation abusive find amusing least usually bother teen daughter carrying morning instead sane birth control little interest serious presentation could get past wife therapist really show appreciate acting get little complaint received item ordered month ago read merchant know order done anything clown yet ship back unopened want business company would rather lose money thank nothing across show since main actress decided check wish show waste time believe transformation family unbelievable especially daughter whoever produce show said thank waste money time pilot funny enough watch another however second episode probably wont watch another episode could get past fact show take place real life illness made irresponsible mother acting whatnot could get behind initial plot good mother despite trying address mental illness tough context applaud effort opinion mental health disregard may make less stressful understand husband agreeing absence medication sure like idea opinion birth find coping dealing parent obviously ill speak personal experience subject character price medication able understand fully choice time complex situation hardly fair try cover one hour show least conversation forward said applaud effort thank multiplicity origin terrible childhood trauma would ever entertainment people often sadistic entertainment ill evil people nothing funny please consider seeking entertainment appropriate unbearable childhood suffering endure lucky live become deserve better us half disc series would play player computer disk appear message screen play w season one lie promising premise interesting engaging wonderful actor however season two inherent show someone always people lying wreak havoc hey bother judicial system lightman ask main problem lie cal lightman character interesting mean rest actually twenty people running around fancy office suite lightman group group got intern whose job look scruffy although later vice president year unpaid intern lucky president anyway first obviously window dressing even training psychology let alone acting lightman partner foster say feel pain stumble around inch fair show wear inch get lightman person brains invent juvenile stuff e almost kissing nearly kissing finally kissing require bo ring glaring problem second half season two becomes manifestly clear idea first lightman pay ex wife order keep taking daughter another state never real life joint custody neither parent move child state people watch boston legal wife business collapse business anyway need people stare person figure thinking need equipment involved scads money dumb post eventually get rid really really act enormous figured would distract audience fact plot lightman something stupid way home grown could tell fact defunct give take decade lightman afraid losing custody daughter get custody thought ex custody agent around lightman group exactly law several times lightman keep daughter although frankly give airhead deer caught look thin awhile always hanging around father office go school agent get fired lightman group broken many would ridiculous fire agent officer evidence justice know little normally go jail logic got increasingly incoherent nobody could follow going even grad came idea show first place even think know really nothing sense world next get admitted mental hospital two minute conversation someone go talk got decent story obvious thing keep main character buffy know word psychologist former criminal gambling addict father sleeping awful god help add enough hope audience completely lost sight whatever thought writing stop think show worse really like sigh something exciting first season lie least always interested psychology keenly research facial reveal could argue endlessly research lie argue show entertaining certain depth nuance show made different television greatly release season two watched episode got progressively stupid sanctimonious greatly disappointed fan psychology hold em poker first episode hint protagonist cal lightman would return las play poker excited somehow botch well first season sophisticated analysis work made intellectually interesting second season simply inane sensational second season also great battle god satan lightman ad psychopath highlight first season albeit bathetic second season central fact could somehow avoid tight brilliant writing first concept lie detective nonsense whether cannot question matter someone lying someone someone mean someone someone lying mean lying human interaction series self interested constant struggle lie truth fact lie truth even matter think game theory insight human condition psychology still immensely watchable even see frustration exasperation part arms really engaged moment withdrawn everything point chaps season two lie like season thirteen everything else every plot premise tried cast tired original long gone first season lie fresh inspiring unfortunately second one freshness become predictable nothing new little psychological analysis well boring boring boring think third season nothing else left tell interesting well made good cast mid second season bumptious made extremely silly crime series first season great become season much fun watch season terrible actor lead actor good whole thing second rate daughter running good watch package season two say season two contents identical season one series less educationally like facial expression story common serial lame unlikely dialogue trite cliche four show went stupid tank stand roger alien watch show character crap kill roger show terrible shoddy acting unbelievable awful cover supposed good gun right could care less one main series good actually care around actually painful watch glad lost overall end season better second season worse first one saying lot wasting time series glad sad thing see back embarrassing see chief police following around even taking part little even gang fellow law enforcement awful supposedly protect town real world long kill outside city police afraid live town like next corrupt police gang even look way someone even bad guy self respecting police officer would process law one thing among us society show think one set bad another protecting town ugh murder wrong matter done constant song cheesy overdone ugh awful well filler everybody look deep emotion weak minded people love stuff trying make family men righteous terrible love criminal gag show embarrassing watch sorry gave another worth time doctor turns helper criminal gang even hospital staff please needs take stick well never seen character shallowness obvious wooden clay miscast mother sons another layer dislike show much want realistic well done drama need go premium boardwalk empire game decent great regular cable drama like tripe sad see many weak minded tripe good maybe busy watching tube damage society idiocy much drama side back back kept plot upon plot must feel least dozen plot every episode done job show follow somebody thought great idea carry torch amoral testosterone series like shield underground x rayed wire soap opera motorcycle gang could exciting watching bunch bad get drunk watch start well actually exciting watch especially narrative closer tricycle speed spend much time debating going whether meeting first much time left actually getting also lots power boss since main way dealing making threatening riding away bring misery simply stayed put drinking clubhouse soap opera aspect show surprising bit manly spend much time hugging saying stuff like emote endlessly whether tell whether best good book legacy founder wisdom future club may go series give away tear jerker season closer shield remain sure would love ever great since series company horrible never product ordered never sent file complaint get anything done purchase company like second season lot favorite let first sons anarchy gemma teller getting show feel like lifetime movie good ridiculously way season really bought great first season program true egg sucker nothing violence image way overdone one episode one lady shot head mac husband directed innocent man husband innocent guy complete fox trash throughout later several men beaten hung fence major amount hill age way speak truly depressive thing watch recommend program anyone disc play kept skipping unacceptable product place would accept hard watch skipping digital image distortion wondering since supposedly new product promptly sons anarchy quite strong first season compelling right story without ever becoming convoluted season two positive solid well defined first season completely unraveled second show problem player act uncharacteristically utterly subplot majority season would considered filler litany little impact main story extend season finale best example extreme division clay magically disappear towards end like nothing ever regardless severity could resolved couple worst story becomes insanely towards end many overly complex play viewer left plot keep track leading unsatisfying cheap ending become common series days unfortunate quality first season carried second foundation strong truly potential long interesting drama instead left series well paced engaging storytelling exchange together throwaway narrative like sam crow series lost way terrible purchase watching second disk play go best buy purchase another one gone first doubt inspired pretty much laughable gangland series show really hard bridge gap outlaw palatable law abiding version tailor made fantasy perfect vehicle see boom world financial building really really pretty house successful male successful living beyond thanks visa bad weekend easily cause riding ridiculously sunny days around like accessory audience making series come add orange county chopper old school father new school son style desperate squeal like school pretend fictitious club old ways w visionary direction modern tough guy progeny club founder throw really bad rolling cause know unflinching individualism astride perhaps inconvenient mention form transport modern outlaw ready wow pot bellied crave mid life crisis series earth first movement gun dealing drug selling somehow legitimate drama wonder series one popular media empire never actual accounting taste among crowd ordered one came work disappointed far classic far must see firstly production cheesy comes mind dialogue acting overblown testosterone induced comatose show show realism insult average intelligence soap opera men think real men tried show false sense realism ta favorite mine glorification violence lawbreaking dangerous use vigilante ism solution supposed cheer gang outlaw really top gratuitous shameless moronic every problem threat brute force solution series new low dangerous total irresponsible usage exhibit access everyone even start good eventually resort violence carry illegal part handed lawless solution pure garbage ignorant trashy society wonder hit shame want tried cancel computer watch computer still want know show undone taken motorcycle community accomplish getting public realize people ride like everyone else bunch amoral favor skip last half season start season first completely blank rest fine bought daughter birthday disappointed defective tell got digital ordered sons anarchy season sept th said would receive th thats time wait wait take money tho took money sept th th came went wrote digital twice got response still got response money back luckily money use digital buy anything matter cheap disc unwatchable flat lie good condition got completely terrible least one every season able watched disappointed never buy zone unable see anywhere home warning common denominator might work satire think people taking junk seriously glossy glorification violence low brow aesthetics knuckle great love however disk play player upon inspection came deep scratch disappointing especially part play last fifteen season episode preview headachy watch would never order non option come mean really would love read review cop busted outlaw perspective wash close vicinity local national law enforcement personnel would landed incompetent half way first season performance engaging though kept watching several would otherwise halfway season two shield produced far able suspend disbelief strike force justice despite breathing least competence unlike scruffy show good background noise working another project knew violent ha ha show terrible treat like meat used favorite show saw worked first half season play knew guy something lucky pain back joke kind quality found season best bit still like love show uproariously gut knee good also love n food good love steak especially great like show always order light n refreshing throat order delicious steak n sure watch season always sunny stop thinking delicious n well light go n order steak light regret admit show hilarious however said show quality transfer ray nothing special wasting money aside special looking good video quality show actually look better ray player used hilarious simply obnoxious series longer funny mainly due de sad development series extremely funny live also like watch network v know considered good funny v days like going mostly annoying watch shipping lightning fast got second disc continually freeze way get replacement love show shot standard definition might well save money buy ray high definition rented item instant video see colors like description instead refund promptly given tried today problem still fixed son see colors please fix movie bad beginning got worse movie insulting watch let alone believe someone put effort making watched three ago cannot remember life remember seeing dude poke doll rent see chill idea leading man movie movie funny watch however digitally version hard like watching movie without glasses horrible picture digitally video quality awful like camera broadcast thought movie really far fetched actually reason watched parker religious evangelical church production stupid unbelievable believe sailboat sailing air heaven would probably love well seasoned simpleton actor would agreed make sleep try watching probably snoring time film agenda personally find impossible objective accurate production company turns lecture apparently highly clergyman front audience church bit self interested speaker knowledge subject vast presentation hold interest corpse letter timothy violently furiously raised voice inappropriate classical music angry performance worth star star given word word get far one quit watching well done little hokey side mainly people angelic intervention documentary bit familiar recent subject may come across redundant much new discover video old either distracted realize made clear extremely slow paced dull think reasonable expect something would hold attention even get entire thing difficult criticize production least old making comparison today largely unfair however even time really boring also instead simply video really toward religious aspect almost preachy found somewhat annoying personal aside see since ago forgotten bad really really like actor stuff general really made mistake production hooky believable gave justice really capable think really caught mystical aspect physical mental perform music acting well lee van backed narration strange music unable finish skinner lightweight job stepping half video save money see c h people preacher certainly documentary man mostly glazed idolization piece time true character man walk real life end kept guy anyway view shameless aggrandizement supposed ministry documentary portion tedious repetition huge building fawning head ministry would evaluate awful true ministry success even greater swooning foul lot documentary staged one man presentation must feel really like acting quite competent lighting dark set ponderous suppose supposed give sense intimacy work presentation fine merit worth serious listen really man like weird story allegedly harshly someone honest critique evident boasting self cockiness inappropriate leader also truly bizarre story visiting tiny church man odd fellow must piece certainly put looking man quite sure idea like feel would quite uncomfortable documentary memorial valley massacre wealth slasher horror new campground despite number significant running water decide stay anyway methodically picked hermit dollar store fake buck teeth whole host horror would worthy time biggest complaint person grown lost ability speak sudden develop extensive engineering knowledge blow camper disable number different story sense little development thing movie going nostalgia factor horror like even overcome movie many watch horror even prepare disappointed upset limited amount information given kidney cancer basically information receive experimental medication work intended audience save film church trying help desperate drug addicted living streets creepy stuff small trying give based entertainment sure maker hearts right place sure thinking watched part movie picture bad gave headache saw typical muscle movie fair bad acting lots beautiful people much recommend worth watching quality bad think spoiled would great classic really like movie difference faith many old news audio video poor quality difficult understand narration make little could understand hokey laughable understand made patriotic propaganda film still one favorite shorts watched times growing sat enjoy later music terrible sound effects appropriate know original way better cute short movie could hardly understand said maybe connection temple watched cause way movie classic real wearied watch act pub drinking beer much simpler time back short video good temple going like adult one reviewer said could tell something done make cry min piece show free cute overall worst garbage ever seen little black child dancing table taking clothes white watch cute hugging one soldier full frontal long kiss mouth another soldier behind back cute end one soldier teeth diaper pin cute someone produced garbage money cool got temple fan darling apparently genre video thinking getting less expensive version full movie disappointment nothing black white different angle original nothing advertisement voice need money help spread film nonsense one five much flores timor always rarely country also date mate time disgraceful like yes reviewer right ministry hate true want make money bulge worst propaganda government could put nothing bunch behind know anything pad already know learn show video movie cheaply made even funny dont waste time complete garbage like home movie really old learn history little bit would nice lot karate less lot time spent fairly weak plot interesting see sequel plus movie ended fairly abruptly closure thought might good b w movie disappointed boring far suspenseful movie blurred awful much say heading guess need money took job thought would luck embarrassing need six finish totally amateurish watch ugh sure point making movie disappointing quality awful would recommend possible ruin bach even old movie still excuse audio quality oh dear like something sit watching tiny waiting room first year stuff disjointed unorganized production generally like bunch low budget clips thrown together look elsewhere information great poor story bear watch due poor worse crackling audio hard concentrate film made impossible hear dialogue video repetitive boring find new information use traveling worth watching work travel business underwater footage made without script boring music prime section ben free see disappointed new making credit never shipped duty country thousand us fought returned could return thanks able see family fi see country instead film covered would like seen perhaps spoiled modern documentary essay would list hard follow different without providing much insight culture perhaps meant instead provide overview south looking insight culture like quite fascinated television could find something weird movie preview film bit less camp abbot fit festival fright get lightweight segment cable health program jazz wrong opinionated derogatory north speak understand serious add around country various one two location lots briefly good quick overview good learning anything depth quality well done quality video general nature documentary left much desired maybe nat geo quality far video interesting though seem enough information put together itinerary go disappointed movie much story development slow provide enough hold interest idiot bought later bought thinking might different replay kicking drawn title positive gave chance reasonably high virtuoso among doll house masterpiece however film justice genius poorly written directed familiar works horrible introduction film two differently caste doll house within story august trapped play female seem would better daytime television one dimensionally evil representation film often historically inaccurate although hair really crazy looking hundred static decided copy plot simply narrow support film perhaps might worked short film better casting moral life better unadulterated house read play doll house free kindle looking film would collection little wild duck master builder favorite collection however numerous movie league never wear best trousers go fight freedom truth enemy people sorry review cause never got around watching might good film dont take star rating seriously motion comic good animation good story totally lame also short get story worth watching stopped wish able preview set thought would see actual ashes shot cannon property point instead saw bunch people shooting apparently local radio station essay contest one people waste money watch movie nothing say upset spent money negative got one star terrible free would still terrible acting dialogue story camera work pathetic watched skeleton key thought movie voodoo set disappointed rent flick bad also calculated rip film key nothing name home equipment special effects consist play doe green grease paint bought store party central humor would find lame along excuse show topless grunt foul excuse film basically two long quality average avoid like plague gross horrible facade cover really movie original skeleton key cheesy gross film legitimate film fan made movie watch fan made soon saw kind film turned video history could rate one star would play writer skeleton key sue good name waste time watching free let alone paying see movie terrible nothing skeleton key movie know indy movie ever seen seen personal vacation better buy rent movie regret complete waste time money deserve single star skeleton key one one never made nothing movie skeleton key made mistake stop first bad mean bad best thing movie trash going almost twenty kept waiting something boo left car work main get hit train comedy horror movie neither element present tried really tried bad script bad actor syndrome like lot fun make really low production bad must see free think everyone involved needs seeing whole project awful terrible movie worse ever seen even watch entire movie better jerry springer like monster like one forgot already smart forget watch please believe one star abomination new low skip impossible adequately describe piece trash feel use many give review movie appeal though might enjoy social charming plot thought h lead role given misleading graphics copy bit history buff found content elemental soon lost interest film movie like mock battle know free prime membership got tried felt corny made cover decent fun worst thing ever gotten life complete waste money buy rent got money worth one glad actually pay thanks prime membership voice ridiculous line difficult follow even awkward dancer stopped watching ten take value music want thing beat exercise video guide simply various dance ballet type little sensuously usual music boring sorry video useless exotic dance think would better going find better fitness workout old fashion workout viva series potentially worst thing ever one unfortunate looking shaped woman different god awful music background point would even come close even sex starved deviant everyone know favor attempt watch might second worst fitness video ever tried much exotic even flash dance instruction drawn crayon one guess want watch woman dance leotard flick looking instructional fitness workout look elsewhere waste money used venue hear speak could figure get money back would want see good horror movie rent one waste time bad across board acting sound lighting cinematography supposed funny yeah get idea better past opening site zombie film great one worst zombie ever seen rent buy film disappointed unless low excuse low skip mostly bad acting grainy film dragged plot really funny would make worth money movie terrible usually start something keep watching already however turned min video even sorry gave much chance movie kind stupid good would really recommend someone first choice could get first movie paying rent movie much away get refund would ask rating first language context awful different rating switch better movie thanks literally worst waste movie could ever watch even buy telling right buy movie regret completely misleading box cover nothing movie thought getting cheesy ski slasher film ended low low low budget b w piece dung never leaves house set molasses character around parent house supposed rager watched first thinking would get better never rest see plot scene would ever change waste money wish could get refund film joke sex patient rising fever film remains lying bed heavy comforter revealing nothing shirt anyone kind fever would least throw intelligent thing would take cold shower bath help lower fever neither done meanwhile man supposed mind set sex actually angry feel film blatant effort rip probably man respect men concept male psyche wasnt good thought would documentary know call wouldnt recommend u see go watch backstage learn always trouble order time package postage due start saying show work goes set design really great season three found becoming pretty show exception sally draper peggy could care less draper going sleep next people expressed discontent mad men unlikable response many stated part show great character e g viewer finding oneself dislikable offensive latter think thats true small extent overall think show fine line making behaviour seem acceptable often show cross latter never really thought show great first place interested watching show well people color however feel like getting fill white male television white privilege douche general go ahead keep watching two since prime hard wired connected constantly get low try watch series bought mad men go check getting yet cannot even watch prime random basis favor go hulu somebody else service terrible wow believe saying big fan series season boring feel like wasted sure even want finish unwatched yawn third series slow intoxicating pace previous shorter faster less room real acting instead viewer get see outside world secondary story longer around often play extra instead main character enjoy watching series commentary show quality sent season disk purchase lot quality used love mad men start awhile generally priced higher pay imagine excitement found selling new copy season also cautious make sure pictured actual set order yesterday instead set episode guide black case plastic inside hold episode guide season like someone put together home recognize got great deal actually selling set information somewhere would little get actual product instead homemade knock never made purchase watch mad men first run never seen good way catch fan mad men one two mystery draper charisma made fascinating blend desire noir like intrigue season three creator admitted anything left barrel go audience pedestrian view office life company ad agency one tedious pointless incident another one point mower control brit foot center episode wake us coma achingly teeth grindingly depiction draper marriage breaking endless monotonous staring stone space maybe occasionally smoking cigarette arching eyebrow old argument whether bad actress whether range perfectly lifeless emotionally stunted character betty moot beyond era beauty simply unbearable endure thankfully season four really picked game best series history season three could written bad dream god sake waste money end season two draper going soul searching crisis suddenly found interesting really looking forward season three disappointed unlikeable character season one season two understand series many unlikeable men popular men even peggy express love advertising helping people buy right product left conclude thing selfish people money sex also found hard believe peggy way made decision end season finally disappointed adoption story line real meaningful something could identify still series like acting betty draper much look end want root disappointing season enough action much stock footage fill almost half shooting strike acting dry even period like one show worth sorry writer better get gear show great resolution awful even stand watch available resolution great individual waste money see movie latter biggest possible way sound track background music hear go shopping script could written better first movie low quality even even free definitely even worth mention waste money movie rip pretty much director talking dumb crazy boring word appropriately atrocity major sin horror movie one around like ever seen video even trying kill count lower horror movie seen quite time supposed happen screen video muddy impossible see like dark wooded lighting around maybe plus character dull seemingly endless small talk ending came sat staring dis thinking made sense whatsoever love watching cheesy budget horror one rip order absolutely nothing going despite video deceptively creepy ominous description want waste money try endure boring go right ahead able say worst worst movie worst script worst camera work worst direction still trying figure guy film following around know whats film rate less agree waste money mine particular definitely read waste time waste money bad title misleading wasted money time movie sex watch sex like naked rubbing like get refund misuse data e g voter turnout th th c conservative bent fox news would eat real piece crap rented thinking would workout somewhere bunch video cease rapper besides running around gym bunch grade film like camera phone wish could get money back offended rented could would rated one worse seen long time concept good acting poor research done since way used beginning date shown june june th yet following pearl harbor bombed actual footage used flow knock catch way entertaining appreciate job good get pay guess one actually tried different bad quality woman make glad stayed late nights watching bad giant monster turtle talk beauty beast movie bad bad poor dubbing bad audio lame story overall found bearable genuinely entertaining see personally recommend movie watching nearly pointless like old monster please search elsewhere find better quality possibly language look hard enough ah last movie original series series progressively got worse unfortunately much love fire breathing turtle went whimper bang movie stock footage previous mean quick reference character dream sequence new original content sprinkled throughout much better surprise one harder find fan finally able watch lost movie especially lovely nothing special even genre safely skip without feeling like missing something would considered dangerous survival situation taken grain salt entertaining reasonable bear fake enjoy survival bad bear practical enough substance good average entertainment value definitely teaching tool unless feel like killing day get set really best season series first thing notice motion cover thought awesome start unwrap box made entirely cardboard remove two security stickers rip part print picture already leave border sticky box left also beat three loose cardboard actual plastic well may comes detail stuff however price pay series ridiculous really loss stated season best terrible received negative reaction first interview father killeen wonderful person meet good part movie want watch movie wonderful person like father killeen bit grand ended lame one need big production think require preparation stuff total waste stopped would think however comes really matter really enjoy movie seem like believable move could wrong felt like watching cheesy production made idea wish could week ted talk boring could better interesting understand main idea good execution terrible boring plain dumb county watch turn good concept yet ya get picture killeen actor business bunch money decided self finance pointless ego stroke documentary self mission meet people name insight even excuse director done film feel like wasted life kind beginning irony vanity project come much cooler genuine killeen like idiot money awful camera obvious comedic pad certain movie like goes visit killeen figure drive traffic circle reason enough one star rating family agenda older brother sister mentally ill suffering schizophrenia among take multiple stabilize keep becoming delusional naturally never going normal way course psychiatry fault screwing brother sister evil brain much better without keeping going deep end guess need body dianetics therapy whatever ha ha stupid even realize ancient blown whatever horrible science fiction garbage believe yeah got part doc sis front camera try make actual medical science look bad knew one worst ever seen waste time best worst sensitive like get angry tool weird nothing revolutionary idea produced recommend someone going pay see price something affordable say even would rent write review like pretty amateur acting like low production value recommend watching series really want learn mission lot could done past history stopped without reading first even watch entire first show fake lame way way way better one elite soldier one impossible mission joke show based man put test except everything staged nothing really happen turned immediately want learn watch real real quality link legitimate journey vol good image quality superior experience go journey vol movie horrible bad acting bad sound bad singing punch line complete mockery church horrible much going movie believe rucker attached name garbage train beautiful true train historian would probably love love many talking head taste first old tired dance teen parenthood interracial friendship slash romance fat suit bizarre token white black high school like great menace white lack fresh physical comedy watched film actor brick brick mind bending amazing flick heroic simply film becoming endless descent misery hell sad depressing hard watch get mind disturbing amazing film ultimately like writer director therapy two form movie sad depressing one note song devoid human emotion desolation futility say quality travelogue poor old better nothing modern look clear nice definition felt like watching movie made scenery poor work cameraman bad stopped recommend anyone san many many many race car streets helicopter hovering somewhere classy boat sea land sea air get throwing little city video one would expect audio commentary horrible written someone high school ways would preferred watch video without voice commentary worth rental wholesome boring travel video poor introduction bangkok beginning video immediately negative heat would never recommend terrible reality show watched several come mind self important self indulgent truly painful watch show truly interesting nice moderately rude quite rude enough interesting truly bottom barrel reality would anyone buy see cable free better yet watch economy right right season great season slide season total disaster none charm humor wit jeff basically losing mind everybody around except either rock totally oblivious even walking around look fear face time yes disquieting cringe worthy interesting absolutely entertaining watched entire season new character new character fit jeff become raving lunatic extra behind honestly hope get act season likely invest series enjoy cooking reality little irritating interesting content lost intrusive bland repetitive predictable concern number self important appear unable handle cutlery wish could leave zero show everyone annoying whine entire time really seem fashion drama like cranky year waste time show horrible annoying show drama mediocre best ever blues club guitar indulging hoped would like tour saw ago luck add said disappointment thinking going review watching bit used ford package bore fest less fun watching de ripen got read already many show reason thought well nothing needs said yet still write one tune one guitarist walking solo egotistical amateur like subtle nice way jam night neck better blues cream top studio let face love ever really done music topped gall best tune ever believe willing bet l even recognize word blues officially term yet culturally insensitive enough also mention song sung meece line born burst laughing singer accent way another part crowd laugh kind really laughing matter smiling feel like love gave us statue liberty stood ground moron bush bravo sorry say two least fifteen plus tax video nothing two new jersey talking wine new jersey information ever wonder allow preview garbage let wasting money vein stay away please ordered without knowing upset since figured like anyway blame pretty boring could get watch maybe time enough time get anything done two year old school filled even watch realize movie may older audience video quite still nice see scenery would nice see way bit outdated really comprehensive fun see though get much watching appear recourse digital writing scathing product review plenty digital particular purchase know problem connection audio product tried twice old video way get refund absolute due worth wasting time poorly shoot poorly told sure make want go back city light street misnomer cannot good video grainy standard definition like transferred tape lower inch screen blurred version material big problem bit loud annoying cheap sounding like amateur commodore copyright date looking bit end discover production low budget positive side narration clear cover number around would try another video first seen brown passport video half hour obviously cover much production quality much higher find screen personality humor style though tried rick show yet probably next attempt find good video introduction p added since watched globe trekker much better quality date one also seen couple rick better still probably lot lots useful information production quality high another video travel guide tried yet much see video onto computer want therefore longer watch instant happy perhaps video designed kill tourist desire visit suppose worthy goal young adult burn forcing watch video send screaming plummy voice narrator useless information finish determined might handy travel knee slapper avoid somebody write vacation several badly beach slow rate music cover covered travel learn anything want travel unless strangely close stone fallen might possibly trigger search information watch free prime might maybe worth time decent series wonder fact big deal exclusive access capuchin crypt fact well known tourist trap still worth seeing get days educational ancient religious tabloid entertainment waist time episode satan done poorly piggy post modern view relativism limited understanding believe satan certainly powerful force evil argue since arose ago believe satan therefore satan date back flawed argument know old satan know eternal holy trinity father son holy spirit point time god satan angel light satan sovereignty god back thousand neither satan old first mention scripture mean satan human construct natural evolution pantheistic like rather seeing satan human construct monotheism evolution pantheism could god scripture reality ancient like god choose reveal direct revelation know mythology way understand world many ancient date culture automatically mean theology pagan pantheistic belief yes theology make flawed every level fact simply end name irresponsible poor journalism best stick area stick spare us philosophy outside field study would problem simply stated view opinion present fact well take exception regardless whether agnostic atheist otherwise faith proven empirical data outside realm scientific method pseudo attempt reduce faith kind simplistic evolution religion nonsense would serve everyone well discovery decide dabble religion give study opportunity refute provide counter boring music boring commentary real potential certainly hold even first episode bother prime instant version series horrible waste time trying watch prime excellent witty well written today one th grade humor laughing sorry better ted review tomb instant video complete unwatchable garbage even movie like people bought video camera sale went home put work clothes absolutely positive quality moving picture probably one single worst attempt movie ever seen even good enough writer director abortion cry sleep night feel sorry mother even anybody movie used torture negative hour punch felt like official selection neighbor garage party bring chips watching disease cinema want kick actually bad mood bad like cheesy b low budget horror bad bad like watching vacation bingo cruise watch hate god movie interesting like watched min done dream face shape acting awful slow moving slow hard get poor acting worth time even got hold dog question really sure even movie production possible even film like family home video adequacy painfully obvious one mean one idea behind camera front unless shot ten year old first attempt going ridicule mercilessly going ask waste time money crap since spending money yes right complain sweet please insult intelligence offering us gruel telling us ambrosia know difference least offer us stuff better production courtesy reach around unwatchable even x fast forward must family one good actor among bunch caught wishing killing would start could another homemade hand written excuse make film nothing interest occasional appearance laughable effects sorry lighting sound one basic get every way waste time money would better taking nap unless looking something poorly produced purpose making laugh terrible like something someone era camera used high school drama club perform actually make middle school home room instead drama club seen better popcorn flix thought would really worth effort might want skip movie spend time chasing whatever else spare time waste piece crap b movie story line bad better budget might better pretty awful probably first attempt movie really doesnt belong offering worst interviewer ever seen boring show many doc subject better watch truth explosive evidence good like strong young son room see movie room slow never could really get movie plot take long set never got point difficult follow around place flash female looking much alike find movie connect one noted omission brother speak looking bilingual life make sense would recommend awful movie point art dont waste time big downer review finish movie another older movie keep interest watching feel like finishing could interesting disjointed back forth time pretty graphic sex add anything story beautiful questionable men equally questionable morals one left plot writing script much acting executive producer hope movie lousy slow moving plot dark volume control lousy ending blah rate item slow movie end never anything back forth first love watched anyway action goes back forth present past movie difficult understand present past blonde woman mother daughter man father son maybe drowsy antihistamine took maybe burning plain made drowsy poor production skipping back forward made story impossible understand quality play three different get play second time watching watch much suffering sadness nothing would recommend star power nudity race card enough save enjoy stinker ugh hard get one good actress could get annoying dialogue flat film starred excellent understand agreed take movie adultery game might second son daughter like moral movie let see movie lust literally burn good example offspring following oh movie time wise little hard follow beginning closed useless many elderly people oversight costing money turned figure plot going turned dark kind movie would recommend adultery murder appreciate sex girl boy mother could understand could leave child matter reason movie broke heart mother would recommend good film plot place back forth time movie without really providing motivation anyone except main female character get feeling screenplay novel lot internal going main head never screen well especially without narrator voice watching movie waste time knew would grow movie bad movie screenplay burn along plain brand new one could possibly worse incredible waste talent role character less ridiculous wrote directed travesty director better writer instance ludicrous way character although burning plain feel small budget production data huge number people involved surely among pointed many unlikely plot logical apparently avail determined display see unfortunately us written know one benefit suffering movie namely motivation proof read script yet absolutely insure terminate whatever enchantment story thus far generate among audience melodrama acting uninteresting hint mystery would finished movie gave film every chance show story plot vague something soon burning plain mess waste time sorry probably one moving trash unfortunate opportunity watch time two life never get back rate zero feel like seen movie many times waste good acting slow pointless plot seen better felt like supposed admire film thought neither plus like cool like hopefully enjoy bad review clearly minority p kim rated actress really excellent movie think crazy divorce hurt career alec little girl pig go figure writer director work resonance like work excellent director one seriously boring drawn weak plotted waist time star rating looking good movie watch prime trailer one pretty good well ended horrible turned strong cast unpleasantly stopped watching min acting flat movie unappealing thing burning heartburn watching attempt act beautiful woman outside hateful inside hide screen trite predictable oh boring please go back modeling much around past present like much thought would considering cast movie load crap worth watching please waste time story line horrible agree story clear beginning going back forth time talk younger version main character look alike except blonde hair whole story line make sense mother lover dating son mother lover go prison actually feeling get suffering afterwards sudden everything fine daughter forgiveness little quick although agree action moving slowly reason giving two high quality picture acting two main love drama sake drama without much meaning depth inside might good movie film poorly made worth better quality release recently watched disappointed acting excellent almost everyone well pace plot one near end point lost much initial interest film premise ludicrous two different cheating hook spite everyone order movie believable make sense story movie make sense waste time money watching boring flick acting good plot awful end idea really going watch plot disjointed slowly got finish watching one time worst ever turned perhaps disjointed difficult follow semblance plot assuming plot waste time guess like suffering turmoil might like movie thought simplistic shallow thought deep beyond might something saw well thought action explicit might know happen movie wallow morass confusion instead anything prefer uplifting least extend movie left feeling although enjoy came together done well good found depressing though even watch entire movie dragged unexciting definitely movie great cast great acting maybe watching another time make sense around bug much first time complicated movie gritty female lead movie times depressing audio pass movie problem could stream movie therefore watch movie need credit bad movie turned really going improve acting also surprise ending kept guessing way good name movie nobody pain one pretty depressing movie really believable wished one boy picked bad late make em like used book found movie adaptation dragged boring despite fine lack luster interesting premise might worked quite see free pay blah fan par depressing dark maybe somewhere kim never know movie terrible waste money would suggest rental tawdry insipid poor acting background rain often times movie back forth always good performance story line best story line interesting plot around lot seen lots pivot present past movie flow quite well interesting theme though movie realize underlying plot movie time time often hardly keep plot totally lost really slow moving really care much found like slow moving life may like movie movie nudity raw sex adultery turned plot could find shallow understand element suspense feel like purposefully ambiguous like director trust us stay interested something back forth time making clear figure acting good interesting rating kim beautiful middle aged woman sure movie less like script generally believable directorial debut screenwriter lack directorial experience excellent cast wasted film us opening could offensive however might like three beautiful talented wind ugly story whole premise disappointing could kim ever fall unattractive man meet filthy trailer desert behind adorable loving husband could believe minute still would hard believe daughter would son unattractive make fact trailer individual grown great job role saving grace story would allow positive recommendation unless interested acting tried get movie really min exhausted trying figure character main character way way much serious thought dramatic event read synopsis found great movie sequence actually would stayed get sequence thing favorite type movie watched cast excited story line well done movie good usual disappointed great actress could figure story line movie hopped around several different different time could follow turned community gave show resuscitate saw first episode days ambulance would flown attractive lady helicopter broken arm would suspended indefinitely probably would pay bill helicopter ride also want patient back ambulance two used something else addition like way rabbit call captain would gone new york minute trauma part community found insulting profession within one week pilot much negative feedback involved know one chief switched football game first watching pilot wonder studio able return new manufacturer used clips episode lecture professional image example fantastical poor image wonder technical expert received blanket party cover per disk great series make sure copy series trauma television good series cannot recommend anyone purchase disk set missing thought fluke second one contain disk listed disappointed done ashamed description season unfortunately set keep showing error try play rate watch check making purchase bought season third watch wont come price good pilot cant believe show make workout although afford young daughter even gave stamp disapproval simple aerobic video early verbal abstract cartoon showing move watch crazy video barely got heart rate awkward stopped ten little show move instruction anyway work definitely watch workout super hard worthless either camera left something desired often close hard follow times fancy option workout pinch like odd ways shown pretty decent workout person think would good avid workout people maybe get far enough session verbal think good aerobic workout tho good island history looking around underwater great dive dive good general film obviously older still worth watching free apparently dangerously strong stay water southwest lower half island best due shore like water time best surf rolling via wind well get wear way water unless pay go boat rocky shore slippery get cut movie low budget production provide valuable information diving save time skip looking something movement talking video old like fact instructor talk video looking quick exercise routine kindle know get video older turned style music video quality type right away comedy would get silent film format cartoon unenthusiastic repetitive nut house music added getting sore laughing actually looking workout video episode explore would useful one terrible exercise video sorry really date fast instruction could made better video good laugh feeling little nostalgic much dance fluff beginning made tune something else old verbal like supposed follow cartoon know get watch early workout likely picture misleading assumed pic would modern date video nope straight even bring would recommend thought would instructional guide belly dancing entire video girl actually first thought cross dressing man girl cover image belly dancing alone empty room almost like home video made taking belly dancing would give could thank god prime free would angry money got money worth one thanks prime membership voice instruction ridiculous line illustrate time audio quality poor music felt lifeless felt sorry poor dancer felt watch comedy pay anything removed workout video category video said someone dancing alone might one worst instruction video fitness ever seen instruction every woman belly dancing tempo fast beginner keep get footing recommend anyone start positive note music nice want music dance dancer one best seen flashy never even look like fun mistakenly thought know access show view via computer tried cancel immediately told late thing program need specific informative enough good read shelve book got totally ticked spent money learned dive husband go diving next watched hear diving san filler fish used live kelp used diving footage long one time cheap mind demand money back completely misleading description preview little much left st century mores retroactively conflict really historically objective view program would use teach conflict like typical interpretation socialist modern perspective wanting like show knowing plight hit however stopped watching said never trust fight well never trust dog fight especially another example breed make video better yes many bred excel certain mean good lab across street retrieve anything doubt ever good math even though woman expect every individual meet cheap expect every good sports fighting works therapy dog hospice terminally ill little happiness worry fighting like worry lab lot going better waiting get basically video general information various might interesting starting learn wild life otherwise nothing new interesting would know already though give single star well might useful small many often reality real world someone non professional vacation footage photography nowhere near documentary quality little narration know educational would already familiar lots interesting within video listing end many detailed enough helpful kind tortoise give sense might see tourist say anything description fact entirely german disappointment waste quality terrible got one play total waste money shame good season nitro circus waste time worse watch say waste time documentary nothing collection homemade without commentary explanation narrative uninspiring uninspired definitely recommend anybody interested diving purchase many bad would one descend find appropriate level store bad rated present system tell u anything fan low budget b oh man take funny stilted acting honestly worth time acting lame wish would either admit prime probably going average bad even worth first shame pay prime get low quality garbage horrible waste money bad slow keep attention cant believe watched whole thing make wish could get refund one hope line movie kind slow terrible lot gore blood really movie star rating awful acting story line effects ever watch lot b rated horror usually least make end awful film fact writing review try save life although made willing bet vast majority make much waste time money movie nothing waste time money long dragged time consuming really poor acting recommend movie anyone suggest waste money looking forward film want distracted calling effort amateur insult amateur film everywhere hand camera work sloppy nonsensical conception childish realization let call case study shot hit miss authorial design ever running narrative incorrect insulting repeated young teenage porter load heavy heavy heavy embarrassing number good select one instead low production value guy video shot story country waste time poor volume goes come close true visual time watch frame assassination sundown entertainment total rip technical quality standard horrible first computer written one fact clear product data source obviously tape typical present throughout video also noisy another clue source horizontal definition poor even modern footage small print usually unreadable picture quality abundant presence digital stemming fact one point source material clearly x half resolution camera almost always jerky problem mess totally useless menu aspect ratio nothing choose one title extra alternate audio documentary format although clearly produced originally full percent image therefore missing mutilation pseudo version also top chopped several missing screen bottom extend black could put chapter almost two hour video virtually impossible navigate least ten sound seriously asynchronous time title totally misleading number entire production expect material official version assassination doubtful film disappointed virtually none fact original title clearly different one copyright actual documentary fact nowhere documentary five beginning however warren commission differently finally box cut way publisher name almost completely cut even get part right purpose total worth package less dollar box one blank computer way much poor quick dirty tape copy would well advised skip one nothing new assassination discussion even historically incorrect information documentary give appearance evenhanded look several conspiracy explaining assassination well lone assassin theory warren commission however clear purpose promulgate old conspiracy already elsewhere bulk video really deserve documentary since much fiction devoted various conspiracy assassination holding forth little time devoted lone assassin theory really low budget remake film done documentary complete charlatan holt getting tearful poor victim lee concluding plea justice done complete heavenly choir throughout documentary bland seemingly authoritative narrator blatantly false documentary evidence egregious example one hour documentary narrator recent evidence retired plot kill president abort team undoubtedly one supposed stop killing documentary three men retired narrator tosh holt none whose least bit credible late holt one three rail near grassy knoll among video even legend holt contract agent neither former circus performer teller tale tales pro conspiracy met holt story later perry writing neither discovered holt simply question find one three credible release film city council release city journalist mary la looking found previously arrest record three proved w criminal artist shooter grassy knoll since prohibit review recommend murder confession video bell bell review commercially produced video murder confession assassin interview confession merit pilot flew abort team watch presidential motorcade story writing told class university standing commerce street sidewalk time fired south knoll pictured photo couch film mack curator sixth floor museum class point unable one beginning video narrator present various assassination element truth viewer decide attempt video give veneer evenhandedness objectivity clearly deserve try cut slack first time especially comes horror clown big disappointment lighting film terrible noticeable even opening interesting cinematography film still though shot also annoying virtually film dialogue either mixed poorly post production story interesting dragged forever twist redeem good bit gore blood though pointless many kill take place camera budget effect acting pretty bad considering overwhelming majority cast feature film experience two extremely hot offer eye candy probably film actually keep attention really give movie shot dragged interesting recent horror worth paying rental opinion film guessing guessing main related director writer producer editor actually casting film people random would worked better small town carol steam couple clown bobby break reason leaves without possession clown doll soon friend jay rough said doll brutally outside home bobby reason police movie question key escalate bobby goes pick plot like least one writing acting bad major distraction parental guidance f bomb sex nudity grant worth watching free enough already whats deal people mid west horror people big run away bad stoner always seem un idea make whole everyone dumb dumb know sound save money bother low budget sexy prize keep day job stripper acting strong suit would fast review movie must suffer really need revisit promise never fast forward film plan review review badly badly written waste time watch even twist end decent timothy really acting ability one like read someone holding cue screen obviously made one pay check many supporting seem acting ability either however good times give well done acting familiar definitely find nothing original story bad effects didnt really follow terrible terrible terrible lot yelling screaming poorly done low budget movie wast time couple mood light entertainment decided pay new comedy know one rex menu spotted menu picture rex ugh got dog movie instead took catch kept waiting get funny c second marque name movie junk advice actually read title film rent well thought sit right back hear tale tale fateful ship three hour tour ship getting dark stormy night suddenly light ya know low budget b movie caught video demand sadly three free get taste movie might wrong find deserted island land inevitable blonde island look big lagoon leave blonde boat know huge beach mountain heck time twisted place person world war fighter pilot year guy missing since suddenly ten find u boat full course story without fairly low grade ray could better discovery oil betrayal people get boat never knowing anyone made like come rex bit much gore like guy unnecessarily getting bit half totally plot bit mean hold grenade eat grenade blow tummy throw mouth digress sad ending kiss make never know ever found way professor need lost world special edition land time forgot complete trilogy one volume three thrilling one volume land time forgot people time forgot darn slow durn doggone awful make b like used believe wasted time effort took review thing maybe keep somebody else suffering horrible best luck anyone good luck wasnt bad thought something else terry good show funny doubt terry amazingly talented singing ability without moving truly phenomenal humor crude pass jeff stuff funny mostly clean duplicate live las bad nothing description course except money original really get bit take sing popular goes far thing several times row expect laugh funny act singing awkwardly looking good comic watch jeff bunch bad got together make short want horror story teens clip face snore feast min long teen hooded figure abusive father come truth clip werewolf ex resolve issue ex monster clip skeleton teen girl prepare dead house sale hand written music tune piano house forth spirit hatch welding grandma clip teens clean movie theater discover storage space long box film reel hey watch film girl setting chair staring camera girl main character vampire big surprise final back guy library reading notebook leaving final story yet un written another talentless attempt conning us spending money home movie video great watch include included buy said difficult decipher without actual music wouldnt recommend version could great teaching method also would recommend advanced definitely chose rating horrible bad acting cheesy money back please toddler music dance without annoying exaggerated acting month old daughter soon came excited finally favorite show use road received yesterday would play player computer fine print back case work play recordable well know think anyone anything else write review save heartbreak tell looking forward work oh see review prior march instant stream version available quite time year old love watch show know better think absolutely horrible bit talented ridiculously corny show go take long look incorporated show phenomenal fresh beat band shame yes fresh beat band meant roughly however introduce young influential music continue believe level talent lack thereof quality draw show teach music dance appreciation give something substance quality appreciate get four actually worked first disc work wont even spin player son see room lousy poor quality play finish player besides try play car player always gave disc error sad son like return immediately terrible acting terrible band god awful music among worst drivel ashamed aware going computer order grandson wondering never got mail fine mail library well purchase bad buy stuck computer go look around find actual purchase grandson second another thought nothing product page could normal player however received fine print back jacket play back play may play turns true useless every player every player family member friend either part computer part device also recording ability wow imagine disappointment daughter saw watched us insert disc assuming watch favorite show instead saw message screen disc cannot since standard standard format player note effect right product page update provided us return shipping label picked next business day return service prompt would anyone pay even nickel let alone watch episode one thing buy whole season watch many times wish pay amount money view show time madness hope one ever stupid enough pay penny watch show channel michigan free one days almighty dollar well getting mine watch found annoying unlikeable maybe series annoying show ever navel gazing extreme raising somehow well boo got see good prime heck cool keep getting less less money disappointed show good prime video streaming bad stopping one hour show closer complete hassle show saw prime video happily watched first tonight tried watch next episode suddenly prime video want pay consider bait switch put prime ribbon video get someone interested series suddenly make pay per view show completely bummed closed available streaming definitely going renew prime membership pull nonsense advertise show prime change mind waiting summer watch series tried watch today discover longer prime show stop nickel us make decision show stick something latest thing late seeing series see behave top control whiny lack self confidence maturity today seem mature confident maybe living deep depression depression actually made better way use dress clever might able come drinking game embarrassing show watchable sorry story draw watch little another time watching benedict sherlock want watch everything role far disappointed along movie tinker soldier spy though maybe role fifth estate nothing positive maintain interest story line either get past first part first episode find character like anything hopeful work found story line bizarre difficult follow stopped watching approximately first third movie artificial unbelievable worth time watch sat two could take acting marginal great expense must gone produce series waste western would never stand kind intrusion people dark one thing sure going see also slow last enemy dark taste much love watch benedict story best like dark interesting idea cast confused execution even good hanging together strong waste talent word writing camera feel like show plot believable interesting way could great series believable acting much better writing better cinematography hard keep story line gone go back job engaged first episode probably watch plot jerky disconnected implausible particularly almost instant grope paw session minimal character development worth time good guess watched whole care unappealing boring story premise great potential fact engaged cryptic strategy interesting got guess could call cerebral film one seen could cerebral found engaging one energy despite hair raising jeopardy jeopardy much interest favorite opening predictable offering small island masterpiece theater prime resume last enemy story line rambling trouble keeping straight time thought knew headed got lost slow predictable current sherlock would recommend series see watching series benedict enjoy acting check although little confused point show sometimes find bit challenge understand language see story heading give try report back later slow moving quit two accept lead realistic dialogue better stuff stopped watching protagonist benedict brother spiky widow squabbling long time feeling suddenly passionately lunged bed like ran film time slow build fast drop end strange watching series sherlock fan would recommend depressing hell take mona final brush stroke complete lit canvas fire watch burn ashes pretty much though never could quite profound even gotten right watch read uplifted found story depressing unsatisfying want feel good end story watch something else adore benedict actor plot line dark think good bit showing big brother action kind entertainment looking drawn benedict last enemy thinly plotted disappointment want feel part going outset misdirection plot tumble along instead flowing thematically many repeat soap opera cannot recommend film least volume get series sherlock one real downer spent time watching felt like intriguing story say ending fell flat would understatement felt viewer writer big reveal least something mildly unpredictable well thought conspiracy mystery instead came end wife really felt exactly way benedict acting come expect excellent intriguing plot primary relationship believable story conclusion absolutely fell flat looking aha moment plot least sort satisfying resolution believable anything wife looking relationship cheer neither one us find anything close would hope type show could rate higher one star would encourage thinking watching waste time make past first premise far production value good watching first show series disappointed see heading poor rating system prime careful future read one three star choosing selection bedroom scene two main often outburst vindictive talk supposed intelligence main character brought question long winded slow moving could better poor choice end story develop enough good bit action story along really say even usually excellent acting make terrible writing plot hung say led one wild goose chase another one indecipherable red herring another course character development foggily exaggerated point manipulative audience constantly getting false hard interpret would say person entire series honorable guy spoiler alert benedict end desk room presumably perpetuity downer even excellent subject bring fore scary h well redemptive power sherlock least certainly must learned lesson wretched series get first episode widow first reality politically obvious preaching otherwise good acting certainly improve vaccination among people show stream computer sit computer everyday day would sit computer watch movie sit living room long day watch bigger screen surrounded family two dogs backside would eventually become glued chair front computer yet see last episode thought pretty well done serious drama intrigue plus tech story line ending made remove watch list good development wasted horrible ending gave acting beyond wish never seen plot echo usual spy special character development innovative plot come expect past second episode rating r explicit sex first episode pretty good spurred onto next however definitely waste time lead benedict totally miscast normally excellent acting ability show short series see get picked event think whatever fi way already watch giving freedom safety tough decision show love main character sherlock quality cup tea read watching although later series found even beginning unclear poorly watched first episode follow simply entertaining cool picture viva old workout looking waste time rented see beautiful naked preview pillow fighting lingerie movie lot footage little nudity look looking plot good acting good production make skin flick right show everything topless tease nothing look elsewhere skin flick movie lot tour music acting poor best money would anyone terrible movie plot want call anything shaky better plot movie like watching go resort vacation better movie like watching lots nude movie small amount could almost pass barely r rating quality video grainy audio weak overall movie waste time money even waste review beautiful young plot acting cinematography decide pretty story buy ha ha funny stuff movie bit disappointed would offer mind giving money back would great purchase account hacked purchase account hacked purchase account hacked exciting door trash flight bangkok create exciting boring word movie three scantily clad clothing even movie plus even documentary two good say film lot bangkok poor dubbing ladies camera man cannot decide side jeep sit drive supposed sex well take tourist film stuck around bangkok enough said bad copy certain remember late difference worst even outdoor nice place photography snuff modern theme much since looking something today show awesome everyone would love see show meaning uncensored dont buy dumb dumb mad funny show terrible reason bought uncensored beware product season void episode commentary slim special hardly official release note even r note product demand ordered translation burned spot order notice available besides far tell rather haphazard half hearted release onset third season airing get quick cash want real release buy run give want bare even really worth price opinion fantastic show deserve much better cant review product never door despite ago refund shocking awesome show much fun watching show alone five season nothing like first season menu minimal commentary cannot choose scene want watch r sure product quality lower season absolutely love show would tried return feel miss scenery chose specific skipping state husband grew southern new dig watching guy meander around search struck video gold amateur documentary terrible repetitive irritatingly focus one would think someone could make topic boring seemingly impossible quite difficult watch entire thing live read could lot interesting disappointed video felt bit somewhat helpful since trip first idea movie clearly ago apparent poor video quality ancient typical late music movie good starter know anything new willing put got something moreover three footage frequently jump forward simply seen stuff could movie tried three times problem bad see film really destroy brain peyote trip gone bad never peyote without guide three potentially interesting make trilogy horror ineptly done almost painful watch unfortunately start well simply fail develop would recommend remember correctly single song even part song actual led zeppelin group glad rented video first thing comes nothing really led zeppelin hear maybe early nothing disappointing like made somebody high school project kind rip even homemade video must parent looking trying make money pay people yoga yoga price much better looking minute yoga mornings verbal direction given pose occur without direction change music excellent breathing difficult follow since one relax pose since may miss pose change video would except needs kind marker like chime bell sound know change supposed closed impossible keep watching much workout also cover nothing video one man one woman dressed style clothes majority lotus corpse repetitive get minute favorite soft productive time thinking nature like waterfall running brook would work well much pleasurable looking something physical less reflective verbal made difficult meditate worth rental fee nothing say one see hear wound disappointed much said look history chapel looking video quan learn wasted money one performance video person continuously beginning end without single word rather teaching course divided explanation teacher took ti chi good number fast set quite due life get back longer living near old teacher amazing light expert nice really cannot make really level need sorry synopsis wrong movie slow whole movie see synopsis happen would recommend movie waste someone else time bad know else say except even supposed backed actual rated clear description clear description playable us predictable exciting view wish could say boring movie pick something else description said east customs religion form documentary partly partly like turned may later know ancient native speak mystical chaotic fog meant distract us ever seeing true path far watched movie looking ancient saw none nothing fog true path perhaps end spend money based erroneously description painter watching movie truly painful poorly written story amateur acting dragged watch description stated native waste money low quality action action movie poor acting plot special effects sound maybe wrong horror movie classic comedy newspaperman plot lot fake screaming fake blood fake script bother watching may seem like movie actually poor attempt mock dry boring movie content audience found conversation throughout movie could bare longer shut know supposed ridiculous allure question line drawn comedy bad taste yes costuming hair laughable like slapstick may like thought plot trite could bear waste time finishing movie group people rare opportunity go easter island squander stupidity hope people easter island never see embarrassing idea ridiculous publicity sweet ten nothing except jackman one find inspiration different time stay credible film waste time title free prime membership introduction movie already seen movie rental days embarrassed admit even rented title despite movie thought waste time movie publicity dirty tick would give minus star possible shame empty real content like watching access actual news instead mind numbing stupidity get whats point streaming add got payed movie interested trailer worth time load watch waste time movie trailer trailer make want see full length film think understand trailer supposed draw create interest seeing entire film leave instead uninterested disappointed full length movie world premier well fault suppose perhaps mistaken video thought going behind look making wolverine instead turned basically version red carpet show least prime member didnt cost anything worth sorry like hell totally pointing waste energy suck put effort stupid waist time unless watching made magic movie boring reminder live well always make shake head dismay sad huh problem video minute trailer trying make think prime worth anything streaming video world free box office old watched clips like look like long trailer save prime membership get something useful wow movie screen like actual movie look party considered movie bloody joke thought real thing boy commit minute waste time check run time made think clint western titled paint wagon musical think waste time regret need figure hoe get rid mistakenly thought movie disappointed find advertisement movie would recommend short content like ad worth price ie nothing bother watch exciting trailer like advertisement movie anyway best real movie bunch advertising kind crap came search free stream indicate trailer forced purchase terrible trailer disappointed experience streaming one sure point like spend time staring sun find wish would said feature film behind nothing special waste time looking looking actual movie imagine image red carpet velvet ropes gorgeous rather wolverine big x originally item thinking movie disappointed waste time put minute clip interview thought movie people opening show rip name like trailer clip owner movie would let know bad vives movie sue waste time make look like free movie never want buy ever lousy film bother seeing reason really film like c rated documentary movie really exist want back watch wolverine movie could get seven minute clip opening night waste time stay much easier use waste time final click play button seven minute teaser trailer red carpet affair red carpet premier movie part spot fox network movie channel waste time mostly posh showing event disappointingly worded link movie stay away wait streaming becomes available movie stupid even worth ripping even waste hard drive space sadly movie even close living potential movie could written directed lots better thought bunch bull didnt read whole damn thing rush watch movie mistake reason thought getting movie silly us rate puff piece zero star rating silly excerpt premier red carpet walk saw content evening news waste time like people ended reason thought movie indeed looking prime instant look like movie instead form promotional material whole thing poorly displayed poorly executed quite annoying waste time watch unless like thought getting bad accident thinking movie preview preview later watched movie movie thought getting movie premiere video plan watch unless need disappointed see world premier coverage done god probably actual movie even though bad rather dumb number stupid talking premier waste time love get back glad free par previous wolverine fell asleep watch fell asleep shipping prompt product flawless condition movie trailer even movie watch one still faith marvel right thought getting movie getting chance waste time waiting movie start instead subjected trailer quite bait switch thought getting movie watch advertisement short documentary waster time good movie want play prime gave went back much simple nothing movie care nothing else write misuse channel ownership merely misdirection actual movie find cheesy distribution chain cant seem find movie actually movie trailer scene cut looking sneak peak much interview thought movie wrong love movie screening footage red carpet movie like also wolverine another awesome ways better first movie rock watch real put silly thought actually offering cool movie prime free made clear include actual movie celebration yes could read title little closer probably figured better selection free prime getting smaller smaller starting question value annual expense hoped movie need post dumb disappointed see movie would product one movie public clip total waste time type video expect see movie streaming service miss read thought movie really enjoy short making movie mistake since reading length something really nothing see see benefit watching first thought actual movie soon found life get back unfortunately option gave narration extremely irritating five suppose made would recommend watching unless simply watching like people show traveling worse cute stuff think want see plain real information way monotone without depth analysis looking shop nice know going cost good job personally think put mormon church latter day church far exceed one plus come short free realistic one stiff formal idea watched piece tripe watch life gone forever clean grout bath tub fix garbage disposal well almost anything else would constructive watching first one mean one irrefutable proof ever earth nice philosophy nice guise exactly dramatize life times someone never got much wrong piece listed dramatic fiction save time watch bill awful word count quota leave review many ways say awful seriously would well skip one even desperate watch something new really bad boring even walking treadmill watching see end boring boring boring could understand beginning watch end recommend total waste time even bring finish love even sorry awful beginning bring continue watching like good wife could finish watching movie two dad bizarre dream like story two real life act conflict eventually resolve fantasy world fantasy world odd say least bad guy dad flush giant sewer enough finish watching gave two instead one suggest go back drawing board remove nasty language make nice film watching could finish unpleasant good movie opinion weird terrible film fine acting plot awful could keep watching get holiday spirit please offer horrible finish much negative language movie want watch behavior family movie stop see dancing meeting train walking train tunnel heady balalaika narrator accent perfect way make film would roger passenger eating smoked fish guess see diversity city culture see inside city example night life upscale enjoy city see addition shown enough beauty shown pretty early maybe even basic good still somewhat idea expect city hokey video major disappointment would turn anyone yet go wanting know one watch life back amateur video short video footage short one waste time resource get idea fully short film commercial fluff piece whistler area man thing bad severely focus good copy narration heck practically narration amateurish video syrupy canned loop backing music project waste time cover shot better video present disappointing much sailing taken land boat plus chartered boat came crew footage much information sailing misleading title little sailing poorly done travelogue waste time watching even free prime cannot recommend wow know anyone could make look boring video felt like history class watching boring video ever say watched first maybe better poor quality video disappointed sale sound quality awful could done better cell phone nothing us basically travel channel type show complete waste like reviewer said absolutely nothing waste time misleading title nothing travel channel like fluff crap watch hope got free video minute rent alone across want see true action way martin sheen interested hostel avid zero touring different sure say word several times first video explore series disappointed commentary much different visit advertising video actually made way less excited going one worst ever seen waste time rather kiss rose ann watch junk tried watching pilot maybe episode really hook alpha house sure interesting enough connect quickly wife like square one tried watching couple whole thing guess people find comical cup tea idea got free care ugh ugh ugh watched episode obtuse plumber find engaging better advertisement insurance agency weak plot cute impressive free whatever normally love quiet could like lead horrible people want anything good happen character little old guy waiting wife would cute film documentary waiting room rave rotten title thinking last trying watch horrible knowledge carry documentary unfortunately slow boring really tried follow love old one written well enough keep watching film good behind dynamic footage like camera man many building could get little footage people culture lots building start look make worse interlaced footage obnoxious horizontal movement good bad footage must watch rent learn something information behind good buy though unless really seeing building times would sound since sound gave watched something else instead need random assortment stock footage video also included production music brief intermittent vague narration voice guy probably never set foot watching video go much video get view leaving vacation found poorly organized giving vague like real description lay city vacation also poor quality wish waste time adz nothing golf video worthless drivel save money somebody talking sure shot say video quality horrible also presentation really old poorly voiced film forced watch grade rented get information upcoming trip iceland hard watch boring video depth went genuinely interesting relate true significance besides lack information felt little script video picture quality could better ago also great video really great short video showing people riding rock climbing bit two think helpful much better reading book would surely appreciate lengthy review busy thank much father watching movie family young felt watching movie dad poor light concept broken raised good see good dad around show incompetent selfish murphy insulting dad movie trite adult concept busy father time way appropriate movie idea broken father mother living separately movie received sealed package view imagine ten year old anticipation someone sent sealed package like new movie one worst seen funny disappointing considering murphy family friendly movie lame hard watch could time good thing say upset terrible color everything yellowish tint glad cannot stand quality would recommend anyone buy would rather watch also season time way pay item twice still yet ship word wise look see mart another store want go trouble trying get season would give season four instant star decent end show disappointed learned three four going like first two happy get absolutely season three notice picture quality season four like said get last four five season four whenever start episode first either sound picture struggling sound sound episode goes fine miss everyone saying beginning customer service polite handled issue quickly grief customer service transaction five replacement door put set exact issue first set point going keep going bother clearly company made simply put cheap mediocre product really sad last season great show got treatment watched instant star air get instant star streaming final two decided buy season instant video buy season set good worth quality horrible color look anything like original thought maybe possibly way season different season decided buy episode watched instant video quality lot better clear color normal fuzzy weird looking looking buy collection guess worth big fan show buy season instant video able watch clearly enjoy watch go digital lot clear quality season actually buy also come set found real snoozer crazy like movie boring documentary history dissatisfied product play continuously scratches disc play first one play disc making noise back beginning episode never first upset would like refund set watch surprise put third disc several night court new old refund caveat make sure check three glad caught within day refund period find inconvenient return back video library every proceed next episode even could function disc several would play continuously would helpful waste money time please remove title list real muse fan get trapped hard get excited seeing hurricane watchable notice glaring serious found hard believe anything story boring pretty open minded comes science often science say millions old anybody say earth glowing blob without water atmosphere within later water oxygen suddenly appear much unmitigated video turn less people make teach really simply get away say becomes cold hard admit pretty give much however sum video two stunk see benefit young child watch find idiotic violent wish teach year old child high movie poppy although acting good script production simply poor took plane trapped plane doubt would made kept would get better recommend spend money one h e read mention waste rip unhappy quality format movie stream many many onto inch video format size small difficult see may please refund thank rob watched tell really want rating shown wrong aspect ratio still sense proportion people look tall skinny look short fat unwatchable template travel video stock footage narrator suppose succeed reflecting spirit true tourist traps style watched ten turn honest watched first video like corny narration something might forced watch school education huge tony fan saw thought good movie really thought movie story acting wouldnt recommend movie reason movie got instead insane level martial unfortunately guy insane also director movie story line well thought believable ending leaves completely unsatisfied want give director piece mind obviously would good idea movie cover entire feel movie randomly reappear solve little purpose disappear wonder exactly point fan tony via first movie original reflected tony ability change fighting fluidly great see though one detect force impact however fighting would great movie however felt disengaged story line choppy one sense felt story much better net appreciate fighting grown kung fu youth felt wasted time watching movie forward watching original spend time however tried play various would play clearly film tell tony crew got money make film leaves desired martial fighting barely movie goes way past line mainly end like without bit jarring acting top small fantastic though know like ripping movie previous movie protector amazing movie would appeal younger perhaps age cant wait day together tony good first amazing one turned way wrought took way seriously first one humor pretty creative one death like brutal version early creativity entertaining watch thing bad steven movie watched live see thing maybe maybe need try ordered based read previous protector watched last night extremely disappointed first annoyance like good go tony even movie let alone smack someone start dealing usually aid sort weapon find entertaining hand elbow knee face good fighting nothing compare epic fight protector second even egregious annoyance like original movie done overdubbed voice even like hired bunch people found street come read effort terrible unconvincing laugh loud embarrassing several really difficult get story enjoy would recommend turning leaving original language possible story rather strange difficult follow especially bought film see violence enjoy story ending even ending like ran money stopped making movie literally left room came back movie almost even ending love tony movie really anything doubt much ever watch fact disappointed watched put original satisfy lust fan would rent one nearly good enough plot movie writing shallow hand way much pointless fighting without meaning behind therefore becomes purely violent artistic tony great fighter athlete screen writing needs lot work dont think really one first one getting fight well sequel original dont think u missing something watching watch lot n find justification didnt wast time watching one cant find justification stream complete rip pure simple wait see movie love tony rental joke much distribute yet pretty much charge much inferior quality product real movie theater think safe assume people would agree exactly paying premium guess sort exclusivity right exclusivity purposefully delaying release paying exclusivity thin air like scam give one star ultimately point figure buy movie review sure movie think anyone buy unless like get movie industry trying sell price movie think movie like one good kick like confused epic dont expect great fight like first movie watched innocence character comedy fighting though cheesy low budget feeling times far superior movie every way except perhaps budget raw powered whiskey tango wit real continuity seriously witch cave end movie made cutting room film imagine left ting eating breakfast adversary jump ting visiting latrine visit turd king ting tripping getting fight ground bad would make much sense watched personal attack tony though think result much fault think watching spread thin expect movie turn great see kind stuff starring tony tony tony director tony service tony trainer tony get idea ambition necessity spend enough time one job film came jack master none film totally disappointed movie fighting long found kind boring heck two ladies animal human perhaps seen first movie might understand n e elephant movie bad wasted movie tony act fight bad combine form single story tony wonderful story told place modern day two nothing common like see good although pair tell epic story great potential commonly hot mess tony could never accused trying hard enough filled brim plot subplot wicked exceptional fight course martial artist truly amazing really deliver much viewer almost bit much unfortunately much cover much ground single story well nothing complex political love story coming age subtext lots fighting since none movie fully comes like victim multiple personality disorder different come forward vanish shouting train wreck storytelling part reason movie turned badly production really supposed complete film without sequel turned ford style debacle control cost power tony apparently disappearing middle shooting two chaos clearly reflected resulting movie time shifting ending wind lost going thread story also dark overly dramatic manner self conscious cinematography unnecessary constant surging music strange color effects sure technical term underline dire importance happening pretty much non stop movie expense look great tony nobleman son tien another story truly hideous rat nest long hair hard look without wincing also color lighting make look like creepy finally good several fall flat surprising film clearly reveal weak contact undermining impact us clearly see course staged camera elsewhere fast render many impossible follow lastly film use wire fu shocking considering always pride real deal desperately sequel order make sense provide resolution satisfaction third film attempt provide emergency clean effort runaway debacle brick wall onto bottom line beginning great entertainment martial crouching tiger hidden dragon wrote review warrior something movie martial raw power artistry movement delicate ballet strike counterstrike strike repeat treat behold marvel knew human body capable beautiful yet dangerous since early teens enjoy watching fighting unfold upon screen matter bad story behind fighting actually enter beginning new martial artist lithe spectacularly flexible powerful tony beginning star style martial despite title one movie nothing story premise beginning tried true rather royal son father mother get rival raised gang led seeing father figure teach fight fight comes face face father murderer big finale fight scene complete plenty blood seriously cool flying arms tony protector bodyguard number unlike used unlike warrior far chase movie set modern traditional set apply warrior copious fighting beginning movie mostly vehicle designed showcase unorthodox martial tony whose proficiency martial natural lee jet li host martial master came silver screen beginning style old e sword javelin chuck bo stick used lighting speed deadly accuracy sure still lighting fast style screen tempered hand weaponry change another change graphic nature movie bodily abound especially first half movie slow motion close point pretty opinion necessary inane safe bet tony probably nominated golden globe soon man acting business speak kicking butt business engaging presence screen problem carrying movie core violent affair aware violence fascinating watch unfold screen style martial different come much like jet li style kung fu unlike anything heretofore experienced style martial heavily elbow knee closed fist violence alone applied lighting fast speed consummate skill beginning great entertainment martial crouching tiger hidden dragon plot left lot desired really nothing new movie great afternoon little else next wine found time great good history poorly written camera talent sub par little information centered around typical circa beach looking something upcoming trip free video prime membership video old probably old quality ridiculous fan nowhere near good previous much new stuff funny highly disappointed magic act feature scene cover point comedy club funny load computer always said error never got past stage return nature beauty beautiful region two people south eastern us like mine little understanding take tour birthplace two lama unbelievably boring account trip one beautiful world best sound account respectful quite ignorant area video evidence actually spoke anyone either area narration like elementary school child book report ex wheel life shown tantric pretty scenery little insight seen could given crap movie less one star would waste time forgot finish movie waste time find something else like microcosmos absolutely amazing would recommend anyone chill plant dial watch music visualizer thing anything drivel video must made early time turned digital color washed fascination volcanism hot many amazing beat new saw much shown video drawn poor quality video give new justice said enjoy love country get frenzy available go visit incredible place person job film photographer narrator painful listen music sound barely match said worth click disagree previous review photographer job either tripod involved hand far bus behind windshield windshield really worst part worst information showing boulder spot us reservoir south boulder road hour away though say anything serious elk far away narrator deer real prairie dog according production ground squirrel shown bunch best part ever say live real cannot help ridiculous thing ever colorado give break want watch otherwise please avoid bother one canyon de pronounced like man de like like shay one favorite one day voice pronounced de hello research obviously done even pronunciation camera still give appearance video joke shame biggest glaring error kept name canyon de l think done really understand video short got interested featured beautiful overly brit said several much better gain useful information region cassis however video mainly one two talking growing pedantic fashion rather cassis recommend video anyone truly gain education region feel educational gave lovely view area ton geology made way german acting good action poor got part way stop kind dumb waste time though since german german language student might find useful documentary outdated borderline offensive like picture painted hopefully date film type video old like projector music nice hear documentary style horrible even get turned real turn since personally know many honestly say culture justice waste time season season great season pathetic buy waste time money instead watch season loving first two series thought season awful one thing derivative sad see play fun hank moody hand moody instead really hank moody sorry like something season whole thing like bad parody possible might able suspend one disbelief show possible watch season try enjoy cartoon speaking bought factory sealed new video absolutely horrible thought watching series tube back resolution terrible unendurable checked fine physically must job done complete incompetent anyone else comment really could believe brand new set year could done poorly see know tell relate experience sorry spent money title said sure even brought see rather strong language first backed watching first two season easily like stuck last groove going becomes annoying quickly worst thing series horrible whose shrill tone dialogue analysis one many bath tub editor typical serial garbage protagonist totally mean totally obnoxious everything sex sex art imagine normal adult enjoying show maybe immature year old would like take sex would show thin thin story line would watch another episode free disappointing shallow boring waste time money wish would review offer guy first episode nude pass need crap entertainment ego worst pseudo star run amok bad writing worse acting back big mark first two intriguing curiosity season three maybe first two set bar impossibly high season one complete surprise kept wife laughing season two better surprise risk taking dark ending season three found deep many rather boring maybe season three high episode truly season three last one maybe connected much past waiting season four good way halfway season removed prime must kind ploy get upgrade lousy move doesnt seem character development plot pretty much non existent getting pretty tiresome found show incredibly superficial worth time watching little value added best worst us big fan series disappointing see quickly lost plot turned mindless orgy unconvincing tiring gone sexual chemistry tension hand moody harem instead one boring sexual conquest another without freshness made series enjoyable perhaps hank moody still one growing watching series feel hank moody old dog new moody agent also become irritatingly unconvincing irrelevant think series last much longer full disclosure watched prior show found somewhat entertaining unrealistic season though totally unwatchable show become sad caricature offensive stopped watching two adolescent boy world enjoy screw law cause effect exist much never watch show watch would please take list driving crazy driving v seen skin swear network worth watching form half screen know blue ray expect amazing picture quality awful considerably grainy consistent thank god normal could barely see going know blue ray blue fine love however first thing see review last season big blob head something wrong need account credit card use service still take unreasonable amount please put huge cover next time waste time something like well fault actually thought would script besides sex know father substance abuse think pass irresponsible left coast say wonderful performance anyone look substance show try live golden rule live real world god help title parent know suitable beyond recognition unacceptable offer free going alter content free worth disappointed presentation know deep subject covered historical way effort superficially best various well done narration offer explanation seeing except infrequently obtusely video slow gave pertinent information beautiful twice learned much hoped get detailed information augment refresh information trip ago overview really provided nothing interesting actually quite boring attempt mystical hokey lots scenery occasional mention really enough merit like great rental brief introduction cursory look long history honestly horrible event stand watch forcing finish terrible audio content boring like babbling educational sorry blunt rental worth time wife watched return visit dingle peninsula throughout kept waiting get better really see video shot front window moving vehicle angle numerous asphalt whatever might see periphery also anyone motion sickness watch video camera quite bit biggest gripe video fact much time wasted road number consider dingle best oratory better watch regarding dingle peninsula nothing see run around city nice photography great wall movie little information given wall old show many outdated material removed photography also poor unbelievably poorly done voice full overblown purple prose anything screen given time sphinx step pyramid bent pyramid great pyramid awful production watch turn sound unless really mood laugh silly knew going bad wait see rest series terrible travel least make destination look good one personality narrator reading script visit information would make interesting good photography video really forward seeing sub would immensely often difficult us deal also budget well cut better overall production film tremendous resolution video like scaled low resolution copy definitely original film every element plot trite implausible spend money elsewhere nothing worth hard income fan great flying video great cinematography video none video extremely choppy connection play full clarity smoothness like originally designed show actual theater fair story something showcase flying got carried away horrible badly plot want fake story give narration music flying would stand quality good video absolutely whatsoever completely worthless current state un watchable quality great video audio like lot rest give currently watched many say far worst hardly narration weird music even actual cinematography bad wasted different crater vesuvius bad first review ever written documentary little information going plenty video music almost explanation seeing would wonderful documentary going happening empire time even geology vesuvius furthermore fortunately much said said informative although hard understand fascinating place video amazingly boring little interesting information repetitive video worth terrible fascinating stop watching terrible taught film would great example almost historical architecture camera angle pointing avoid people almost street culture art nothing current cannot video converted film digital quality blurry color washed c mon let see post real yawner interesting even think finished watching yawn yawn yawn snore imagine watching footage narration giving history anything shot shot multiple movie waste time watch five seen old information really cover anything interesting city food couple worth money time documentary many odd found laughing loud many times picture quality horrible music cheesy best would given zero could unless enjoy brit narrator one cliche another must produced definitely help travel guide wish could use really bad describe bad documentary text bad image quality bad go city either irrelevant detail give rental money beggar beer money better spent bad student student disappointed film properly replicated battle done war ridiculously slow ineffective waste time conflict whether photography narration music worst spent week several watched film first would never gone also tried watch company ouch spent week vibrant city chose video enjoy back disappointing min film dogs chained outside shop food spent much film citadel great harbour music even outdated guy native waste money lived always nice find way least return spirit visit little video tour nice enough got see favorite still rick pronunciation horrible history wrong many nice scenery supposed video fair poor introduction boston area although kind strange voice video based largely history realize supposed perspective tourist however script poorly written odd accurate least little misleading also care background music entire production specifically short half hour video thorough hoped major city boston something really video history architecture several historic boston also nice information tourist outside city traveling area car might helpful since access car trip boston made sad going able see took brief video could devoted city boston overall glad cheap really looking agree one odd travel video coming different angle boston resident sort fun take visitor look city however old north church without saying anything north end neighborhood one popular city strange say least hall nay unforgivable note narrator cut even shorter say brief reference back bay never street come think mention park red boston without could give many curious editorial strange saying square center town never really get good overall look camera instead upper instead streets become familiar trinity church window gargoyle cross somewhere else ever could way even recognize neighborhood every day get roof market along north south oh yeah get roof long shot show visitor see whoever shot university yes missing r plus mention whatsoever realize film work cannot speak great leave institute especially great dome iconic part certainly innumerable trinity could cut make room one huge error segment witchcraft burned someone research like totally amateur job done student director got eye yet trying hard give two love everything boston generous prime member saw free way would pay rent buy right video one random place thrown end la content shooting technique bit old fashioned made fall asleep finish whole video would suggest like really boring middle school documentary fell asleep watching video low quality audio even worse source may value video pretty much useless main tourist get good feel culture people video outdated commentary interesting outdated enjoy visiting nothing say really bad video around spending attraction seemingly organization historical thrown explanation one video muskrat otter something floating florence watching video actually confused video informational strip las left lot important recommend video short enough depth beautiful location inspiring however wait visit would wonderful film longer get going wat surrounding surely deserve minute film want basic overview nothing view watching however fair warning quite disappointed disappointed book use get idea city never video minute run time half really superficial look border totally useless watched bother watching nothing short building huge numerous historic great art additionally voice artist documentary least make effort pronounce subject documentary right pronounced like che unmanned camera really dyspeptic music shuffle completely rambling disconnected narration would talk lovely showing sidewalk extended period time talk great dining film ran alley shot busy street mention music would shift brass broken doctor knock vice let money taken basic overview acceptable insightful picture quality rather low obsolete rent video disjointed personality less made seem like boring destination sort opposite aim think video much someone interested visiting look travelogue one tour stale information major however pretty large piece questionable chose highlight right bat la defense la defense modern section huge arc arc de going future spend way much time area people trip visit location aside new arch nothing see talk length thing caught eye done primarily march would gather many times overcast city rather drab bloom especially evident film incidentally city center digress evident show grand extremely impressive yet come time none impressive working strange piece take seamlessly city arc de place de dame beautiful avenue world little justice fly often avenue night street end poor angle highlight pont bridge fail even show pont famous bridge dramatic pan outside would impressive building living ask got upset angry going rude turned around told laughing able find building standing right front pointed one horizon show entire building discussion museum water along seine old train station turned museum incredible well museum modern art museum yet people film go beat seldom seen church st st city seen grandeur seen last film near moulin rouge fitting exactly family part town tower rushed haphazard shot dismal time day real panorama city shown overall rushed film together main city giving one true flavor appreciation beauty city look elsewhere better new indeed extraordinary city documentary extraordinarily bad nothing b roll disinterested narrator watched later evening much footage better clearer narration terribly disappointing waste time money agree reviewer love hate first snooty announcer reminiscent way st streetcar line tram plantation reminiscent gone wind plantation couple away screen love happen writer worked n eighth grader turned script class project might get c watch turn sound enjoy quarter agree feel badly person probably wonderful time would better person accent would bring authenticity poor affair almost every respect video quality dreadful boring narrator know pronounce like piazza comes enormous amount footage devoted quite uninteresting street parma several times love film would never tempt go video commentary right interesting without commentary like looking travel di parma correct strade di parma think would checked corrected distribution descent number times found nothing someone vacation travelogue found narrator southern accent hard understand times especially like garibaldi hokey also color rolling narrative blended much background lost therefore difficult read overall production bit amateurish start would much someone less regional accent speaking pleasant want learn information garden around castle led believe would take viewer inside castle much blue mosque making blue mosque god wrong title ran across searching history free prime would describe city magical way used really true short video focus solely strange much see experience enjoy seen many many feel like seen one seen stopped video done advise go amazing skip video unless specifically want information city tired old video use video good history though documentary horrible poor quality resolution one thing far long many someone really need statue teach world history hoped something interest learn ancient video old tired accent narration help documentary subtle derision architecture scientific evident kind mockery utmost precise size built added time span lived almost first life documentary content awful showing city showcase pile garbage stray opening minute overall poorly made documentary prime kept waiting story start ended inspiration story telling agree reviewer opening ground junk cameraman pride work video story teller watch make production video quality bad obviously tape could see made almost unwatchable beyond content good video advertisement various like made guess didnt get little may rich something seriously value dont recommend anyone even little enjoy watching travel something else like watching someone travel uncle house come trip dinner come uncle politely watch urgent call make escape turned made series kingdom end abu princess great royal wife wish detailed information good needs give history behind mosaic construction husband walking length wall nearly coast coast video inspire us provide good travel instead film many nice frequent complete dramatic music mere location another angle lost interest still watched video end artist air painting trip might find video tremendously useful however felt like watching kind film fourth grade teacher would show class time grade break video provide enough beauty documentary style information get much nice picture book wall want beautiful scenery crisp well defined color recommend musical instead really thought could done took place era wall built fascination history northern yet found presentation hold interest although history wall given bad quality video lack enthusiasm voice stop video early little content wall modern times ie length exactly start end video date poor quality must watched small window long worth money least history lesson palace perhaps highlight particular importance video vision fluff without context beautifully brief palace bother buy book palace nothing inside close host slow information good history channel quality review city instead got tourist tour although castle beautiful well presentation way short history would lot enjoying tour narrator state accident painting napoleon one kept regular contact noble enlightenment napoleon even born year death certainly correspondence doubtful would friendly discourse man would seen usurper throne napoleon great contributor particular enlightenment period fan still give one star pretty addition palace suspect due glaring inaccuracy enough content warrant charging full price content acceptable complaint price minute video something distract regular without would recommend plot transparent might keep younger given school film bland old school taste way brief felt ended getting going much else say could much better see whole architectural better idea plan architecture building pyramid saying purpose often behind could hear description one art piece look reason show statue call de milo episode short would expect polished lot quality video spent half time outside building misidentify video always last long enough monologue either extend one cut real fondness naked explanation guess like really mark video could much better glad watched free thinking video bad right narrator mistook winged victory de milo pretty big mistake trouble global treasure none much ten eleven length honestly believe tour world heritage site depth amount time yer plain waste good money even sorry thought useless worthy telling nothing taking trip across canada rail bucket list spend find take trip outdated could better need media watch prime want ruin trip las teaser video someone know strip able see wonderful place rental price rather free come see tour board modern interesting really true picture put worst vacation together may better film could done better job making film low quality film worth watching brief blurb ended guess surprise ending kind interesting flow either way expensive video moreover waste money due poor quality content video set sit back enjoy history tower construction maybe tie statue liberty new york harbor built original ascend crown flame top maybe tower instead shown like video taken someone cam taking video going tower top surrounding think architectural wonder become icon know talk longer eleven bread better bread world someone lot money make video film student couple make pocketing rest money least story interesting video show oh reason gave two rather one tower video bad enough could heap dung pile agreed awful documentary tibet communist china part tirade think people meditate feel sorry karma horrific sad one worst seen tibet background music awful felt like watching horror movie ominous music plenty information tibet finish watching author write title doubt good book show much culture ville wrong correct ville know poor guide incomplete overview old city anyone could pull much information one click biggest gaffe title video ville word ville feminine ville movie pretty bad waste time money wish preview see flick dark bangkok shoot neither erotic sexy boring waste money want hard tried way could find cancel pavilion still several valuable silk exotic exquisite collection porcelain one celebrated porcelain vital role dining hall food quite spectacular manner table rose directly kitchen considering ingenuity understandable kina enjoy much popularity right present day even show interior palace mention description total waste time show footage construction site work might good best video nothing instead place tibet know good watch looking something piece rubbish glad pay prime member would furious poorly done documentary made quality film technology content narration informative building worth watch interested documentary cheesy side note place cheesy hell star hotel thanks guy worst example film anything spent maybe spent money professional film ridiculous opulence prime example western spent oil old show perhaps low quality low production high definition useful like someone old video camera trip inside palace odd even see flash people taking inside place film go outside show nice great angle person showing call nose finally show garden like winter gave make laugh look like disrepair like watching someone home video music added could honestly recommend anyone beyond embarrassing disgusting two stuck immediately calling last mission reference jet junior high could done better research one star writer know last moon shot last launch calling come pick book little research something meant informative short overview see little helpful information narrator mission last exploration space matter took three men moon two landed moon drove across moon surface could made stupid error video made nothing however video low quality boring narrative almost accurate good enough fourth grade class topic could provided meat instead music without time intellectual food video ten long basically montage tell almost city eruption worse tell entirely true waste money horrible horrible video love say entire series one season thankfully mistake bother stopped watching two people shown sex nudity shown something see another horrible incarnation rewrite ethics morals showing anywhere say sorry love fascinated new technology series also idea ship light away mean cool sex scene one found something wrong care couple clothes wrong inappropriate sick tired media portrayal sex sacred gift god man woman marriage yeah know believe thrown really necessary scene think mean anything scene story actually tried episode completely forgot scene make past scene either first time absolutely watch episode offense previous series worst show love science fiction many genre seriously never seen anything supposed science fiction anything like jerky camera occasionally time one villainous character except hateable meaningless unending drama already unlikable best directionless plot note mean episode series universe contrast awesome took cast gave would get cast constantly fact survival stake make little difference overboard fighting deception got old like extremely series fact got early felt show thats hate make show watch keep track week week part except fat geek old guy simply enough visual personality differentiate tell title lot sex saying necessarily bad thing glaringly big part show ship full people sleeping well basically everyone else seem reason least part watched nothing slow plot reason given apparently group military men keep pants finally gave point one men sex wife someone else wife look another person body big deal yep despite plot times make plot slow way slutty expect show want drama spaceship fine show take well known series name recognition try change something unrecognizable kill series shown mere show almost finished season one ride bumpy understand try something different tone quite working assuming made season two huge fan series came lost morals one longer family show wished would kept going series mixed latest entry long running much beloved franchise fondly remember seeing original movie theater immediately imagination weekly series watched sons grew story line yes even channel show found work made original movie following enjoyable totally lost self reinvention fun adventurous full camaraderie humor favor approach evolve successfully bad miss calculation television upon realizing mistake panic ridden response rectify error back unto us forced format supposed better edgy dangerous creative mixture show like edgy mean daring provocative nasty flip side quickly turn something unusual unpleasant much universe forced uncomfortable example one early entry went something like room board destiny able open explore oh look one ancient wonder lead quickly find hour angry fist fight infidelity oh snot stripper second season cancellation decisively proved new model way gone yes grandfather turned teenage sons either us edgy adult science fiction got sometimes possible break mold feel exactly accomplished hastily forcing blend science fiction together shame first unique interesting fun never ended suddenly lastly second season universe start finding promise unfortunate survive first season would even accepted couple stand alone like ark truth continuum dealt season two cliff hanger properly winding show though fear never see way would cool find th chevron show back onto note right buy copy purchase notation confess love franchise much even though two woefully inferior forever connect therefore necessary collection till crazy sale buy general end second season still hunting something someone like series first season spent interpersonal science fiction wow look found even decent side line finally able introduce obscure alien race still lack enjoyable scientific debate provided carter actually touched scientific theory keep watching occasionally getting glimpse cameo carter know story line thin carter cumulative time used start sequence plenty gay agenda around la carter attraction straight times gaucheness vulgarity desperate wormhole extreme better season end er better come alliance gated board forced exploration rest ship might get real rather dismal day day survival everyone depressed keep mass suicide plot twist would recommend friend emphatically oh wait death ray star weakening grossly cool even make st season none likable everybody time emotional control subjected totally undisciplined military contingent angry black soldier authority white soldier anybody without provocation slut sex weak commander preoccupied getting home cheating wife immature useless mouthy genius reason way wet paper bag weird scientist type mysterious agenda couple really could care less series none draw two previous mostly absolutely depth seem much chance simply nothing connect single figure funny worthy loathing nothing gave five bad two favorite time stunk soap opera fi one reviewer said mixed think supposed deep space nine first somewhat interesting yet full pretty speculative least one enormous assumption yeah air force put kind puzzle video game solve might kidnap pretty sure happening put controller get sunshine also put tired liberal writing guy desert storm experience well know much actual abuse sort way touch writer type world way black abusive unless talking worst problem back kind serious bureaucratic jerk wish could wash brain call slow space drama exceedingly kind akin watching grass grow boring suspect spoiled adolescent relative one show result think people would find show entertaining pot particular enjoy show literally waste entire night lint navel would probably find immensely entertaining oh might ancient ship people trapped board way getting millions light home ship star gate make interesting drama add far little attention given interesting far much attention spent soap opera like crew character driven plot might worked la even never one bit card board took almost even got couple got emotional resonance except hill like boy arrogant scientist actor boy found profoundly annoying scientist less emotional resonance going sure showing anything stock telling back given none compelling feel fact nothing compelling show encounter plight crew ship ship another sort character ever fully fact established old automatic thats far goes show one action driven plot another make worse annoying trope serious phony feeling pop song end almost every episode montage lazy storytelling especially today overuse made unwelcome cliche force people like seem either real interesting felt without original character development interest character development interest neither development interest good idea gave really various hate say plain boring sadly chemistry good job work enough watched eight would get interesting gave buy series form matter cheap show lot right lot much adventure show right combination huge potential fell short due script writing really even watching second time decided go ahead try watch universe agree somewhat like although honestly series almost work watch complicated annoying dark dark right along exciting fun almost could watch still enjoy attention waste time watching fun try keep going get ship soon quit episode life far overall series half way season one moment joy far going skip last episode season one hope season better fun quality original series self involved much unnecessary sex little self discipline overall people would choose spend time resolve satisfactorily disappointed obvious gave show star rating show one huge reason went bankrupt even bond franchise could save show anything show series absolutely nothing universe show true universe shudder mere mention atrocity thank god holy put misery cancellation many crying sex shaky science fiction every offer tidbit keep going see lasting long rate boo compare complete turn good story work seeing really boring show story ruined follow turn thing good series ended quickly large total waste time watch already suicidal enjoy fact long ride able view show movie get show wonderfully entertaining franchise universe took everything pace slow get politics lame boring cheesy intolerable junk bad self control ruin good thing wish could sticked story line poor drama filled excuse show see much drama would watch soap opera want see explore universe meat fascinating alien new want see complain entire hour unimportant sad see ruined even get used watch faithfully watched think cast constant feud show series could much better one would diamond good fit series maybe good continuation series concept although like star trek voyager story line lost side universe give interesting spin especially capability trading earth short period time wait season available hope good better worthy name mostly soap bunch petty little good fi got better toward end second season keep crap really whole franchise universe simply painful watch record video demand feel urge watch perhaps someday open brand storytelling either longer faith dumb see production please halt production show really use space something entertaining new show watching like everyone else say offshoot different think writer show set apart plot line get many ways frivolous pointless best continue watch show high somehow swing back alignment past new group people stuck ship control powerlessness crew leaves little room decent plot story seriously doubt season waste time series like watching one stupid daytime soap never go anywhere stayed awake whole one yet like well somber far none lightheartedness made serious two series watchable livid bought wait later week part actually duplicate part got two right wrong content way call get fixed new thrill like cross set first two predictable sort want play portal hope someone plug good show music lighting best series hence end show may th premise part taken star trek voyager crew ship millions mile away earth find way home sadly series slow dealt crew odds one another rather working together find way home many thought would encounter life somehow get act together either top network bad habit series original series network showing taking even year think eureka season st half last summer half summer back finish season long break people either loose interest jump remember let case long break add demise series one one add collection entire series forget bad would another movie even movie season doubt end year imagine show thinking felt everything made mostly joy watch beyond action friendship heroism humor sacrifice could root show ship full unpleasant self absorbed except nurse made glad ship millions away heading away earth gratuitous sex serve broadcast fact underlying pun intended product poor occasionally distracted sooner show scrapped better waste money maybe watching laughing stomach thing thought blocking cool though show simple point drawn boring st like soap opera thing remind fi fact ship background somewhere drawn terribly slow paced action really story could told min character driven want good character writing clever look anyway knew show would bomb hearing stuck ship moving space way home felt like star trek voyager anyway thought watching first incredibly boring seat thought would give get better watched th like better dragged way end season one like holding b c attached series new comer would thought reality show ship background incredibly boring one oh say something sex one even necessary cheesy place like thro b c new show boring incredibly dull wake put spice make remember watching story note mention doctor battle star galactic anyway story series pass another note well say one thing great ship interesting looking kino float exploration cool cameo nice hell goa mole among think would wake already falling asleep show going hold see well still awake fall better days believe ended way complete cop whole show slow took forever start pick much drama enough exploration used type show would recommend get go story based around sex main like soap opera degenerate film show come think would also love star trek deep space people fake documentary worthless plain boring wait till last get focus made foolish mistake believing excellent universe would continue carry torch could wrong thoroughly dislikable predictable sub standard acting made switch first clearly mislead taking project story air found poorly executed setup many important clumsily sufficiently generate real interest also character particular aggravating really us would invite unknown chubby integral part mankind important mission premise ridiculous start assume kind spiteful attempt appeal stereotype computer contingent seem trying hard sell program save disappointment watch original series instead terrible series title waste ur time junk made episode season basically second half first season idea could show come much conflict civilian military presence ship death like watching soap opera change select jump back earth communicate several billion light year distance quite since mankind really cannot even measure million light year distance exactly measure light sorry hubble see far wonder show two watch rest feeling dual set way goodwill finish really adore bother aggravate compel nothing like first two series gift spouse going withdrawal wonderful wait sequel sadly universe us barely tied series nothing similar interesting world supposedly experience space travel yet sit earth helpless try find destiny make attempt contact alien allies get help rely memory conveniently brought board destiny emergency evacuation used much well people seen original series must different along without much excitement weak downright uninteresting young worthless yet included colonel young silly stuck colonel young indecisive terrible leader making unbelievably weak stupid military one could rank colonel inability lead plot along unneeded sex young ex lover beautiful totally devoid emotion personality young fathered child act interested little universe original series except short guest jack sam carter one would think people living planet supposedly experienced world would show training based knowledge seemingly untrained military semi knowledgeable acting like need told eat dinner scientist rush interesting maybe least personality initiative end throw alliance unless seen original idea going first actually become interesting last two three maybe year two better borrow library certainly risk money fan series routinely watch represent best none current match creativity high ended time enjoy take place space span multiple liken show took finish show consider depressing least interject humor show want take show think much quark added provided many light show great potential much made great time loop another sit wait know going happen trapped crewman decline many new mediocre sub par every category really people exchange people think right whatever want thought reason goa bad original star gate series ship old falling apart still fly sun survive series full common sense watcher series embarrassment made star gate series series despite fine acting handful ensemble cast never real script one someone poorly idea reality approach irreversible space mishap leaves odd mix stuck spaceship around universe spaceship ancient superior could longer watch made unhappy want like really wife huge franchise since st episode latter days normally would post long informative review sufficient amount information help get good idea high low show however relative previous series liken show public trying explain person less desirable public given listener one even single occasion one need supply abundance supporting evidence steer clear character nature public warrant attention justification still couple short saying show good relative fi really couple short still considering wasting dark sappy self indulging soap opera constant social political merely place space ship science fiction act casting show almost entirely unlikeable numerous plot entire time devise ways plot subsequent fact place space ship cast morally ambiguous sex constantly everything space ship science fiction certainly show cross desperate minus cooler drawn lack plot development found middle lost sheer volume sex drama angry plot coupled lazy writing reliance cheap like love token angry black man mentally exhausting want drama sex social commentary fi lite series accomplish task much better claim something title first go episode way much character development really bad show everyone suddenly white men much better series strong female minority serving secondary men boring basically boring soap opera space like like like hate series good problem could see play station see note could see old saw note p converting region code zone free pal player pal rea full conversion playback music studio going feel although clearly idea taken star trek voyager detail good destiny exterior incredibly detailed music line style compelling simplistic three good show space whole season huge space battle first episode reason keep people interested two firing huge effort goes making sure frame acceptable original star trek possible one ship screen time also enemy look like cargo circle shaped decision make barely show expensive control destiny old fast cast interesting rush young compelling rest two cast outright cast barely almost humour jack brilliant humour great show none really theres bridge instead equivalent big closet leading times outright boring compelling enemy get see extraordinary cast great character proper space mystery beyond yet also seen season two yet matter season two proper return form season old question possible much worse yes much attention two male type major sick end season know transfer prime poor cinematography lighting poor cheap wildly uneven fairly interesting much two main difficult like like battle star nearly clever streaming video heavily audio merely stereo free would pay extra service near broadcast quality really liking show mislead prior least say bad network give show came conclusion end like think good way go really good one long take fix problem duplicate hurry typical review show probably used surely enough love movie cannot stand one well put enough emphasis word boring first episode promising discovered dialing th symbol could possibly take somewhere even galaxy large team earth another planet far two discover dialing th symbol nowhere planet comes attack sudden whomever beamed make run gate mystery th symbol upon gate find unmanned alien space ship losing power falling apart first couple sometimes interesting going part lot boring know many could find likable stubborn scientist beat computer game join group lend attempt non military scientific perspective young girl irritating boring anyway sort eye candy certainly strong female role model like provided plenty thing noteworthy father eats breakfast normal hot blooded male going watching acting either losing situation either way mention bore crush annoying anything care end together every waking moment told hack alien computer something life saving like many bad fact one good blonde always doubting medical chun li still trying keep everything political worrying paper work rather except fact million away home may never return colonel always good supposed men always seem edge insanity blubbering like colonel saying pointless switching great carter get guy threatening carrot top cotton would even take last two team everyone show rest cast pretty much mostly seem day stand make seem like plenty come later series end first series overall think total whole running season care anyone new comes season chance becoming soap opera rather everything came love sure even comes bad writing think boring cast whole thing preformed biggest thing making boring humor say lack humor show little none mostly dark pointless personal whether rush fiddling alien computer try activate thing route power device give annoying chick new brain sigh rest tedious taking focus fi clearly season big enough budget design better interesting new something everyone old young fi fan version worst idea days space could ever excitement far even like dean tapping make guest make show better everything wrong lack humor new cast entire atmosphere show never knew going happen next episode watching u know going keep happening new happen say like end days nitro repetitive boring imagination know first always going hacking rush new theory whats name boring death pointless dull rest sleazy scene thrown try attract year whose put net nanny really say enough boring found majority show nothing worked still hold finale movie season get wrap everything word script written tied together wrapped quite frankly get made care less u anything black sheep universe actual universe show name another thing music film amazing full provided music even pay much attention never built intensity set action made feel emotional yet u show none even decent title sequence theme dumb formula grey anatomy stupid depressing song entirety thinking would good idea creative edgy turned nothing irritating one particular music actually giving headache threw across room never wanting hear ten like spanner pipe every god awful dull slow humming noise whoever ever music ever much could point show information already convince show understand far alone show nothing watched life kept would turn around think going happen humor tech even tho vastly advanced alien ship ship filled people learn dislike one character interesting constant contact earth stone shown instead swapping people could go onto ship help figure take control simple use device visit family home show dark slow paced importantly boring find hard believe current understood first lack interesting plot wrong picked job unless start take direction would avoid show worst show ever mixed fact got second season glad know sad hear wasting money poor show get fi becomes amazing ended time high series episode disappointed thought maybe get better much channel like drama enough excitement made great franchise top tried shoot like battle star like u sad ending fantastic franchise wish never made show keep mouth shut could tolerate show lame saga came trash love stuff lame lame lame say us original new star gate even shadow series first fat dude contest video game puzzle one type acting irony face attitude could stand watching saw sex scene turned absolutely seasoned least natural actor actress series know please even try watch ridiculous series want offended battle star tried utilize sex strong imagery appeal ever growing minute attention span cannot follow story comedy sex action involved every least knew act spoiled brat attitude acting movie anything else sorry one expensive disaster glad running watched pilot show great enjoyment idea even kind remind voyager gate hardly used find species species except hostile dead could much could gone crowd stay home nights might made difference show except completely forgettable also found offensive young would leave rush planet first two learned honor respect military would portray military way especially since veteran change nothing wrong format better ever thought better crazy best crap angst nonsense annoying heck plus pretty much much try deny live universe ray version arrival region suitable see anywhere order would unsuitable useless cupboard gathering dust think unsuitability sending back much wasted cost purchase sticking country future first time disappointed water running low crew find replacement pilot air show become getting worse worse like complain petty stuff good character right character tenacity stand building soap opera feel one drama worth col young trying save admit sand alien along way like acting towards everyone alien love fiction one sink teeth good filler time group military scientific people trained go mission sure break awfully quick bunch universe always hey deep crap pull together figure get home instead get group people situation situation blaming anyone site situation lost space best thing kill politician really wish show never made people charge ashamed much better complete series complete series collection outstanding science fiction pretty much run course especially story arc universe channel something different kind restless jiggly camera work film like feel edgy instead old thing rather finding creative find plain annoying fact headache unfortunately type camera work spread throughout like malevolent virus lost space time tunnel get back added shipload annoying apparently tried fell love idea tried entire cast plus one two watt lighting dark soap opera space meanwhile put one another gratuitously nasty always soak drivel television set island popular show discerning like well unfathomable however rest vote refuse support second rate phew almost science fiction caught advise yawn pretty much watched reading even real science science hogwash boring boring main could really interesting one completely got show failure received yet disappointed length time taking get ordered days love star gate big pile hope short lived project fan fi babble left feeling intelligent end episode absolutely hate reality heavy focus interpersonal drama science technology exploration insult previous sure attach name series little gate travel exploration much sex perhaps wormhole would fitting title either way easy see show canned even getting better way portrait first season alone enough turn long time hard enough create new show even harder turn back entire franchise name poor show succeed end got trashy romance novel fan original film series enjoy fi ubiquitous never really took struck bit lightweight failing anyway universe theory according general like show missing something great serious premise certainly interesting cast talented visual aspect superb said none likable even midst moral grey cannot help feel sense hope still love goes far winding intense drawn space drama group people virtually none trust consequence virtually none like also use communication noted bit disturbing way probably would say name feature continuity carter appear relatively terrific pilot episode however reading virtually show tone different previous franchise could either good bad case opinion bad bitter angry fan well apparently hate show begin starting promising setup universe military base base personal ninth chevron behind mostly scientific outpost military presence several randy life show closet making love show also young doctor rush promising lure belief could good series unfortunately first show basic premise needing fix air supply needing water food power like forgive covering could done one done old style however dragged first comes across really really slow show mind slow tone however series name attached somewhat expect show move notice get dull area however series stuck firmly snooze rarely begin let remind series humor aggressive angry dark flawed drama forced borderline one biggest show unlikable real personality come one dimensional little depth throughout whole series l watching someone wanting cringe absurdness call bad writing anything else season depth miss horny chance basically becomes one dimensional might think dimension likable rather another female overly large chest often wearing tight character another one dimensional character comes sometimes really butch male female medic whiny saying cant angry commander young written single minded without much mind lastly somewhat boring narrow minded self second command lady character dull nothing much focus character show either conflicting young real reason show audience relationship partner earth via angry lady humor could go detail male honestly young somewhat psychotic commander punch people face syndrome angry soldier without restraint would several prone punching people dull unlikable show drama core selling point miserably mention gate rarely used ship dark could mistake show something doom make mistake family show much anything really mess deep utterly one watched channel series name nothing props gone sold rid series simply said show star trek eternal slumber brutally simply ran tried reinvent didnt need rest peace never forgotten always hearts true premise story chemistry character huge fan care series supposed get bad take advice tag line reconsider ever ridiculous show wonder many devout would willing make monetary contribution episodic solution specifically wraith ambush destiny life suck miserable right franchise please aware trying trying lost mindless drama except outer space give ya couple series two underlying sub plot series serious carter tragically unable ever satisfy due military fraternization flippantly scene first five first episode one principal fellow officer broom closet one thing two original series military always tried portray dignity much realism fi afford another example never really discuss matter religion however neither feel need casually insult one time teal c even team whether ever read apparently found rather profound early episode cheerfully catholic priest role abusive chronic alcoholic wonder ever considered one second maybe positive upbeat universe compassionate kind heroic taking seriously ever think maybe people interested tuning week week watch group angry vying power seemingly hopeless situation apparently paranoid camera crew completely honest say made halfway season one watching show eventually gave would get better sank ground like end planet boring sure great opportunity ancient ship hurling space control unknown course unknown purpose trapped people perfect setup small budget must forced ever episode episode limited focus personal strife conflict come little creative even limited budget big old ancient ship explore explore solve solve explore explore really transporting people back forth ship earth low budget low imagination cop old clearly good evil see good clean show could even finish sex scene warning date cannot navigate certainty intensity change let know selected combined beginning non skippable select episode watch pickup slight brightness change menu show however best fi space show seen menu design horrendous fan supposedly series worth time much soap opera set like theme little science fiction futurist tech even much series like written hormonal adult entertainment section suitable agree two lost big fan keep watching better luck girl girl love scene worst sic ever seen episode time jungle planet promising good story telling maybe please episode thinking second part due next week way next week completely different think notice stupid writing love scene kind science fiction story telling maybe mid season break real start working making work blame action melodramatic new technology enemy far apparently think everyone make based enlightened self interest rather biggest jerk possible make everyone hate writing atrocious every decision made every character character way make sense treat dramatic mash anti plot ship control ship leave ship cost money budget let mean good really like series give make like except found moving back forth ship earth hard follow interesting concept uneven dialogue writing stupid certain mad scientist annoying tantrum throwing fi right show boring snore aspect show amazing graphics photography amateurish narration exceed level disappointment watched seeing number glorious nature could little loss old distorted today tech like old bother looking gave watching first nothing artistic panning inane dialogue much substance guidance location structure history time interpretative center waste time video rather travelogue cover many short time narrator self important sounding accent insincere attention content photography lifelessly boring instance museum exterior narrator vague yet interior shown interest visiting finland video although put damper sure thought perhaps documentary short travelogue next information long long narrator drew random hat several far better tower well tower bridge found elsewhere despite narrator assertion many lived speak queen favorite dudley wish better old travelogue film pretty bad quality mediocre amateur expect shown ad sense magic whatsoever louse film one beautiful earth step right narrator native wild men find degrading wrong seeing park thing ever seen park yet horrible film real shame footage many times narrative many times found fast forwarding much video normally really enjoy watching travel hate give one star really bad almost unwatchable much presentation admittedly colors beautiful movie old film poor quality would recommend anyone thanks new looking information rock present historical account park lot begin become nothing new tell anything would find reading visitor information find park use common scenery throughout video nothing going park since small child top time national visit much better look around grand canyon reason gave two skip ahead last grand canyon sunset gorgeous sadly rest documentary justice canyon nothing talent put together many stock canned music laconic narrator kind thing would zoned right elementary school location amazing place video justice picture quality lack looking forward watching documentary left disappointed two effort someone took go shoot put together film several misinformation blatant like showing kudu impala calling springbok showing calling history fort like naturalist several go creature like banded mongoose fort unfortunate good good accurate information narrator break overload narration endless elevator lobby type music great like dust cloud blowing big congregation leopard hyena broad daylight movie shot sometime video tape make worse shot passenger window driving walking perhaps appropriate title would year old disabled grandmother entertainment value could glean watching realizing nature since last generation plenty hilariously little unsettling man dominance nature similarly people generation ago natural world would assume rest nature series poor quality know sure even finish watching one rest seen better way better earth thing beyond nice bit still worth watching visit free prime done camera work poor video little way content narrative one topic another spoiled travel far short minium standard travel tried several times watch forum could see sound first time streaming already spent much time past talking tech support something need fix end produced horrible music video quality completely narration think narrator knowledge shown today much like early sale interior mansion red building like architecture red stuff brick moron worse finally getting really annoying music alone angry headache shut forget waste time possibly worst choice narrator could made gay probably never left grand hanging around suddenly small town south apparent reason silly film video interesting could made excellent program done appreciate host going travel show subject matter touch however script poor show slow start depth real opportunity think travel showing alternative subject matter could paint complete picture place really like guy obviously stoned made film watched five turn traveled see travelogue truly narrowly show certain touring either city surely prime better watch bad bad narration bad project make even magnificent look drab waste effort basically home movie even free prime watch entire thing recommend product wow believe charge money shot passenger seat car lava joke home video good one well park many times live also film well park film done focus ocean lava flow done good bad rented learn learned nothing film video music poor quality real information history current particular plant wild life given volcano park mind spouting fire lava running across well according show currently active park lot accent would love would visit park next trip item thinking extension first volume best first description kind misleading still good people first one like stuff without show good look one episode free check whole season first let say huge fan ghost many ghost series watched sitting around campfire telling silly scary show ghost loving opinion worth anything free might watch leaving pocket really disappointed even synopsis customer know merely first series already second series imagine way include synopsis listing sure many would appreciate live spent shipping cost fair shipping drain try sell might well try recoup damages hate even watch point series instant every one unavailable remove already browse buy video something expect see welcome colorado rest area history decent nice different pattern linking together even like go local tourist stand pick great example peak race sure well known took survey nearly significant make like covered people already visit also idea days without read thought might travel trip around colorado days terrible great skip want opinion poor quality graphics script first put colorado bear first two visiting hoped would give insight expect video learned expect maybe salamander except one salamander kept showing sitting rock flying even majestic sorry deal majestic time trying steal food jersey shore really see video relatively poor quality got boring quickly would hold attention family especially teen tween think park video poorly written produced sound narration motion used watch grade school ago obviously people video need visit film school need new writer waste time video order book park get much relevant information get little insight video boring wife ended falling asleep almost well tree tops close vegetation late people shown really date video even get horrible would get better give time waste time old date kind boring recommend production information given detailed production interesting audio engineering poorly done good photography film poorly made documentary outdated depth information instead received information could easily information since accurate mention park impacted indigenous people live want see boat interior divers ate diving equipment show us underwater marine life acting ridiculously bad enough knew want invest two life already wasted acting terrible characterization plot development else say fill eleven need movie description appealing movie awful boring say pass unless nothing like jail either awful acting awful script think got five accepted waste time disappointing even low budget production probably enterprise high best story line weak dialogue taken work without special effects high budget film fly sure put whole heart soul gave two instead one first year film student work pace wooden street pass one look back main angel cool green angelic hair devil actually well pretty convincing without bad flat awkward far story line could tell hero particularly righteous advocate god protagonist close god change heart first movie b best worst acting camera work seen time suggestion avoid unless like garbage enjoy like could get stopped watching short lot work one acting pretty bad much better good idea story done well sorry say would skip one opening scene wife telling husband lost end bad stiff acting incoherent plot really going start war end anyway go trouble convince hero join cause skip maybe sequel better course story set sequel one people actually enjoy bad movie guess objective observer could say occasionally like garbage say like silliness good grade b flick particular movie however movie ever seen honest say watch first twelve really overwhelming power high grade sleeping honest advice watch risk much could possibly induce narcolepsy given genre exactly acting plot development overall production would embarrass high school film club feature actually end say without doubt watching movie faith experience close hell ever wish come avoid movie free still feel watching half price movie one worst trash one possibly imagine acting poor script worse writer knowledge subject matter laughable worth film printed however better rubber something said based mythology times example exorcist least interesting prophecy series humorous movie excruciatingly painful watch give scale grade make head explode possible shown film would longer necessary also possible movie made new world order used brainwashing device concentration revealed true anti enjoy virtually unwatchable poor production poor acting awful cinematography everything one would need place among worst time wast time pure crap unwatchable would watch crap waste film family could put better performance single actor movie absolutely awful acting slow boring anti climactic reading straight often monotone could rate negative star would complete waste time boring seldom finish seeing movie however acting terrible movie slow moving photography nice without narration nice explanation whatsoever even part country garden situated also lot focus identifiable probably try hold viewer attention favorite stunning beautiful produced doctor office waiting room use sleep aid would preferred tour visual scenery even voice actual host guide narration less substance overview fuzzy lack luster best want information albeit almost childish go park watch overview tragic well meaning people poor job initial impression watching sweepings cutting room floor nature make discovery watched clear video poor turned assemblage questionable dubious skip far better fare available son nature fascinated lately saw browsing thought interesting ordered cheesy thought might get better kind documentary long waste money thought real information poorly produced bit fluff wasted time treasure believe poorly done video think show chateau worst possible light several even scaffolding video surely could chateau renovation perhaps spring bloom several ago stunningly beautiful watching video know would visit person mostly two many see grounds spectacular theater chapel one least could given history go short photography mediocre research subject really two generous ten run time anybody even paying attention put come serious see best rent short like looking keyhole nothing rather poor amateurish insipid music explanation glad pay anything watch love prime try stuff like quit bad without pay anything film music electronic poorly done could better job sitting bench beach video quality bad music would rather sea music wide screen weak film making much beauty action mainly lot annoying talk great tourist destination amateurish best remember nature film prominent badly done know look like throughout video shown seldom name video filled incorrect information seriously need get straight put wildlife video first topi impala nothing two antelope family also wildebeest gnu actually another name wildebeest commonly used people wouldnt know really laugh cheetah leopard good grief said leopard run hour joke yes please get straight make wildlife video one favorite think better sure message intention wonderful music loud poor choice movie poorly put together unfortunately must done film team made film otherwise could bad waste money quality home movie narration interesting relation shown avoid disappointed video narrator would tell crocodile eagle whatever animal would video go along narration lots water scene lots poor travel group sure beautiful place video justice poorly written script annoying music sound still help give information park really tourist wild animal saw coon history slow report beautiful area country got tired seeing time sleep thought supposed railroad instead one get speed tour various narrator shallow importance would get better picture travel thank god short film fell asleep pretty scenery keep awake long narration boring dry ask ben eye drop commercial although hold attention seen turned stone probably like disappointingly short film local must made u accent narrator regret spending stream rental essentially would see loop tourist gift shop narration bizarre cinematography nothing special tourist shop somewhere around four might suit needs otherwise recommend probably five narration minute know worse soothing type music ridiculous narration rather streaming recommend search monument valley turn yoga spa easy listening music scroll every five read aloud male voice one two following representative almost though monument valley secret works art mankind ever one place though someone create huge natural museum glorious natural beauty planet earth museum wonderful miracle nature incredible feast imaginative eye though moment snake lizard could emerge arid terrain sign living flesh bizarre reminiscent great towering due enormity abandoned like entertain invisible audience unworldly concert head look look closely open wide sky always majestic deserted citadel occasionally silvery brilliance early morning specter silver shining enchanting subterranean place might said scepter either still bizarre occasional small juniper educational flat wrong misleading unlike colorado ut midday sun granite unique glow granite massive red sandstone geologist get basic distinction worse goes granite sedimentary layer time granite exposed could nonetheless even narrator flat wrong geology entire valley seductive apparently timeless granite ha ha numerous lifeless landscape little wildlife also inaccurate program monument valley disservice disjointed represent picture park thought useless show tell park number like last person said much time people enough good footage either plus cheesy music chest beating even hear real deal one third video human village informative give great gorilla either best quality little slow moving keep interest much better available waste time photography beautiful graphics would helpful would also useful include view map knowing history involved isolated look connected prior knowledge likely watch series made mistake video eleven long enough information eleven justify spending worse yet although eleven long actual time minus introduction excruciating unbelievable boring stay far away worst documentary ever seen wish could give negative wow really really good might even say quite bad unless want see winter nasty muddy water cloudy time la delta land whole look horrid music really jazz heck take sad conflict whether photography narration music worst spent week wonderful days watched film first would never gone one narrator founder rather dialogue tied connection see hear idiotic damned annoying minute stock video piece music occasional narrator comment charging laughable video stopped finished watching video quality inferior compare video would love see complete better quality video film narration done back inspirational theres got better last bust older slow even repetitive film quality good useful insanely dry also itinerary pretty unrealistic hand one travel available video show love beautiful fishing old beautiful find beautiful island video waste money buy watched several brief series southwest favorite place bad mean someone take place like make look dull narrate barely interesting place visible history creation planet never anyone go say see documentary series maybe bad idea keep truly fabulous part country amazingly beautiful judge see go take breath away wonderful park several ago made slide show better film photography amazing park justice video standard included video would swear actually gone grand staircase disappointed think watch rest series watched decided would put us sleep said boring documentary show school thought going move like travel log show film far away see poorly hand awesome able experience jungle save money total rip ten home video barely exotic travel information want refund lots meaningless narration water flowing past video could probably made made nature endless view random recognize would mean average viewer bet answer nothing nothing coherent story park nothing emphasis great park family disappointed poor video quality hard appreciate high days better quality video made available music obnoxious narration obnoxious banal engaging like rift worth watching would better natural garden elevator music awful make stop like know seeing agree another reviewer music surroundings ultimate accompaniment recommend unlike digital bought computer possible cancel get going back physical media please let warning shot across bow proceed turn around watch imagine watching roommate grandparent home video vacation keyboard music background pretty close seriously want watch plane watch streamlined think summarize able watch far mostly bad music little sprinkling got minute shutting author next time try without music unless mention music title like watch well see value bird faint background forget nothing special either pretty much standard back yard pretty bird music sustained ad like ohm chant may like take would worth two got way merit information accurate well disappointment far good overview province large focus stone forest mention southern part province known beautiful southeast tourist spot people outside china go holiday well thought rather spend ten talking stone forest spend five least give short mention southern part province narrator couple unforgivable anyone known anything china china course name dynasty know dynasty sound narrator pronounced word dynasty mind absolute ignorance narration gone native speaker would immediately think days new forgot island honestly crew boat drove boston took wrong turn way ending finally working crew stopping lunch bathroom break epic new fail vineyard rural beauty literary home mark twain finally could show opulence industry beyond belief thought copy video could send friend gift instead told watch often like nothing saw solicitation said physical product bit clear selling going lose business well ten clips shot park give general feel terrain park actual information interested seeing park better animal nat geo channel short organized well good travel video release date reason rented disappointingly compilation bunch old like footage terrible quality even finish watching based specific scene footage taken single person wrote trip tax get privilege access always music cheap electronic music script read well dry dull watched free hope find better free pay documentary worth price video short disappointed watched video considering watch could get sound sound quality nil disappointing film quality sharp boring lived decade entire coast boat car bicycle video justice unless ferry boat could watch kept stopping kept interrupting useless waste time mess kept stopping hurt play sound old fashioned direction almost static pace lots upbeat lounge music like th biggest economy still saw free prime two star rating paying feel like little fun kind like pro retirement film tourist office good ethnographic tourist enjoy culture film completely beach popular retirement like opinionated dry style pace learn name couple new check genuine love looking route around could useful making travel narration attractive justice lovely tulip quit watching quality film good either error reading way wordy teacher looking place go otherwise dry little bison title misleading reason watching sadly disappointing wife going soon thought take look prime offer subject short video poor production everything script delivery amateur come away great insight home movie shot budget low end camera used watching rick great travel probably waste time lost connection probably ten absolutely awful guide already traveled video would make reconsider going worst narration shallow shopper guide even good one really information city structure film random scan shopping cheesy musical accompaniment remarkable learned iceland volcanically active pretty scenery spend money cautious never able show anything show video make truth idea video far quality want go sure view read closer current date since want know fairly interesting subject matter however journalist commentary local dari neither sub much benefit anyone unless fluent different foolishly thought production would match price point ha opposite overall image quality better satisfactory think mid priced home digital video recorder camera work terrible absolutely amateur stick lower priced ambient like smart noise better quality value anyone looking date video high quality imagery look elsewhere entertaining anecdotal video measure available region amusing little video would gotten star film weak travel film train hardly covered actual train poor excuse train film much time big small river plus hire professional narrator much say reveal much hotel mostly footage lobby dining least free video little detail amazing feat architecture multiple pan even showing audio track question al even involved sure would interested much beauty could great minute clip dot wasted time title like extravaganza journey etna falling apart disrepair hardly people travel documentary nothing said eating local custom shopping observing sicilian life movie way old probably pretty bad got turning really dislike combine boring narration unrelated prefer seeing video leisure watch lear anything little wine wildlife bed great looking wine enthusiast poor quality film information repetitious napal first time fall film helpful whether like video depend upon looking looking tranquil video flower something soothe may looking something informative opening video somewhat reminiscent series secret world delightful series video nothing like absolutely narration could taken video camera came thing opinion video like music soothing sound somewhat tropical something greatly disappointed apparently used travel type agency video show title tropical botanical garden enter garden explanation description anything gardening sub tropical climate able identify many would known specimen either course made difficult identify actual human voice seen would made enjoyable film wonder many watched made decision include botanical garden tour stated music somewhat tropical since supposed tranquil presentation understand almost monotone music selection however sounding selection would done work would uninspiring picture exciting narration bit show us couple know might want consider visiting future footage old long show also look shot video little information even give state canyon two canyon closed public reservation statement coming canyon also geological information video like home movie converted digital watched movie cooking decided continue watching see end would like waste time choose something else acting horrendous cinematography bad lighting annoying get thought might interesting see work movie old x b grade movie start slow going tolerable acting awful old movie supposed heart warming sadly mark really think anything better watchable well maybe could stretch learned find theatrical trailer posted usually good reason boring word use slow thing interest seeing husband grew boring boring boring landscape gorgeous commentary atrocious never got hear lovely magnificent island folk true saw glimpse charming folk would certainly added sad documentary tremendously lively place lovely place sure subtract wonderful brogue cutting short magic region magical watched tonight find exciting exclamation point would suggest end title fair amount interesting history inside feel like travel guide looking movie might guide go instead found wondering old movie really quality poor wondering wasting time really looking something provide want know basic history great want travel guide like worth watching interested watch travel video found unwatchable footage hardly believe trying say made like found old b role narrate video watching free prime like seen amateur shot video music narration laid would ultimately care enough get interested actual like way maybe post production quality something different got puppy thinking might help train really boo disappointed three free prime purchase experience broadcast public television u support whether like peddling program monetary gain appalling program rot shelf would consider looking image film blurred otherwise film entertaining informative might watch another wish never film waste time completely taking advantage people unaware historical fact seen many positive people obviously never history book utterly unaware fact lied film sad see film already misled quite addition seen wherein ignorant people complain film based solely secular afraid case production already sick stomach quote accurately change wording add non story father way truthfully quote represent throughout entire film kept read based film fact historical well film definitely real advice waste time money energy production good series switched guess better fixed get fixed pronto begin supporting may renew selection available good alone renew see quit watching said story game chicken god blinked wrong story willing sacrifice son world sacrifice lamb god sent save us sent lamb save accurate account rather one completely history major part kingdom least balance secular interpretation history documentary great production excellent narration unfortunately usually case secular explain away nothing collection written exile attempt preserve cultural identity insult believing orthodox mention ancient amount open going change program view fact rather speculation thereby stripping away historical reliability watching nearly unbearable making already flawed viewpoint orthodox perspective worse pretense awe inspired word god inspiring work man many non probably find program appealing secular view thus removing hint authority justifying lack faith may repeated faith still misled failure present evidence whatsoever favor account exodus conquer land watching program worth time little disappointed program basically thesis made bunch make feel better case earth would gone much detail every last pomegranate sanctuary every last bit twine temple could remember think could gotten basic itinerary exodus right supposed believe suddenly appreciation history exile would already enough appreciation record anything times support thesis program lack evidence well accept whether testimony reliable accept premise show wait thousand see evidence program correct mean time disregard wonder wasted time trying say anything would like rate minus could depiction typical liberal documentary id like spew accuracy film really dont want hold back oh start inaccurate dribble yes kind first good lots money production cultural dress look cheesy said furious want save people time money watching liberal trash good scholarly work good data thrown around movie like found yet dont site real information movie tele drama spent many validity papyri watching many consider either dishonest purpose willingly ignorant people stick making filth see least would accountable trying undermine faith weak stupid ignorant really wonder much get people yahoo could probably better job whole thing people want believe god god amazing know point amazing accuracy even extra way old testament evidence monkey could type would able pull scholarly evidence easily sure give think must afraid credible would go wisdom maybe maybe really afraid alternative therefore afraid counter liberal maybe anyway sorry trash poor dont waste money time looking scholarly work real historical evidence really would good good first comes brainwashing well like lied enjoy delusional watch movie indoctrinate looking culturally look maybe time life series specifically also thousand times better liberal trash historically latest gladiator movie gladiator ark whilst posing animal lover killing everyone else much righteous man really wonder earth people get aint find funny considering people ride ignorance big anyway feel need historical watch movie listen liberal hope someone saved money reading please dont series urge give money charity buy food give wife dont waste money sat family watch hoped would interesting informative documentary history kingdom us found unfortunate liberal scholasticism bad turn point documentary invasion never even beware looking accurate historical documentary find suppose impressive much better thorough accurate excited watch disappointed worth wading opinionated find actual title introduction knew going another one fictional rewrite history even watched couple story distortion even right fiction unbearable waste time garbage piece viable history good dating disappointing numerous subjective obviously people put together freed desert desert people god wrote exile make trough first ten program thought religiously neutral program history academic point view rather history told wrong plenty propaganda sadly given believable except rabbi turned large portion documentary disappointing telling one sided story reliant history say prefer fact fiction disappointing watch high could finish full secularism fantasy boo review another documentary god dead anyone primitive spend time blatantly obvious beginning people put together agenda god universe first review first episode series whether use additional get later history dispersion purpose use supplemental history tool disconcerting episode season yet source historical information furthermore rather obvious people wrote script actually read minimum history since several corroborate said actually said opening present written time dispersed genesis exodus lived several hundred also attribute reason writing way make sense disaster victory country way preserve race tell story idol maker causing breach father cite leave piece story left ur land stopped state god sin husband correspond god punish punishment curse furthermore punishment god involve future progeny video one son next sentence three hundred king reign even mention kingdom split rule grandson ten still ruling almost commentary made people believe true accurate account history make several times one say something like historically accurate account mean true logic beyond comprehension want series bring life book better job ancient history life however useful want see well know history good illustration color interpretation watch season later year stated historical supplemental extremely disappointed lack diversity probably different nearly liberal view inerrancy historical truth made rather shallow weak treatment one important history mankind note assessment open minded wholeheartedly disagree would note best despite end truth claim present opposing viewpoint way inform audience ultimately build case side fundamental matter subject actually problem though disagree documentary historically reliable simply would seen opposing side namely conservative evangelical chance argument documentary would made much interesting thought provoking discussion obviously one studied human history end minute drive treatment much old testament meaningful information uninformed save time something better many missing movie document according enter promise land obey god struck rock twice water also obey god kill king everything city furthermore death son place pressure three went back holy land nine went later sold slavery obey teach word god would race still capacity lockup dealt harder race could found every prison throughout united especially men documentary bias terribly false could stand watch hour worth looking learn truth please waste time small child could done better documentation believe wasted money purchase sad terrible terrible even worth one star gave video worst boring kind hogwash religious inaccuracy propaganda unrelenting ridiculous throughout made one age historical veracity non existent scale film negative number complete waste time dump turkey start raised call old testament however watch expectation faith based perspective come either discussion archaeological knowledge place time period technical analysis rise kingdom migration economics secular perspective religious combination previous two would best unfortunately none faith survey scriptural history exile focus kingdom rapid expansion reign would quite interesting fact little time spent kingdom also archaeological content made archaeological knowledge without real content documentary reject religious belief history relatively early show provide argument disagreement many people exodus could desert extended time constant drum beat frequency true everyone opinion honest purpose show really far mostly good unfortunately nothing like guess bury obviously little upset normally write become upset whenever see misrepresentation content context education feel important point one scientific knowledge research teach without bias show filled bias deliver content think film progressive stand interpretation simply flat wrong certain film piece informational misleading idiot would watch come away thinking seen anything history retelling book fiction without used support mean actually historian crafty deceit sensed thoroughly watching program know good voice world done number poor lost may god mercy want hear multiple university think series really care godless soul find better way waste time believe make avoid aim distract destroy avoid video one thing speculate another make ridiculous statement person ever see god wow move new low entire series great watch excellent martin stopped dead hit stop button one reading lot episode idea thinking wrote bad writing ruined one nation people history likely forgotten plain crap bad history true end go little objective history dump series skip typical network documentary unworthy great cover already know evening news type scratch surface subject set decorated period added mix unfortunately forgettable one thing interest tour built site underneath still interesting full many watch enjoy partly background music noisy nice seen puzzled video clearly missing lot funny contents vaguely remember original especially well buy old common problem apparently become available kind copyright issue full contents available e g hulu plus one know contents sort thing firmly think something ought done get release full contents add always customer service really cool situation really credit butler monologue cut specifically monologue cut hulu also extremely disappointed wasted otherwise good episode stated monologue cut made clear front episode without monologue biggest frustration trying watch streaming episode quality horrible mac streaming option connection watch streaming content lot without needs work streaming quality stuttering audio connection hard annoying audio video sometimes audio lost altogether could find control increase buffer nothing try rewind stuttering bad could understand saying sometimes sometimes bad like fun episode glad really pay covered promotional credit another purchase otherwise money back generally first bad review love mail order need work new feature quality par monologue missing disappointed watch make em laugh number bummer wanting entire episode sure check proceeding wish got one performance unfortunately assumed would included drew bunch funny except one funny purchase episode mainly much opening song dance number highlight show yet included episode instead normal missing first selling incomplete without missing full episode money disappointed wonder monologue kind important part episode yet well wish checked customer made purchase foolishly assumed paying episode would getting whole thing also bought solely see make em laugh included cannot understand disappointing documentary one travel show like cruise industry funded one worthless ever seen like watching train wreck disturbing see fame really put jail life child worst cant could trash even air need need get life bought see one friend mine went stupid show show pure trash watching attention anyone give show badly series thinking would hate thinking would exploit instead many love limelight episode mother five horrible clearly one superior sure favorite twin dress torn previous fix let poor girl go torn dress always one daughter superior end superior daughter fit father winnings daughter winning choice award mother awful winner ugly horse face buck teeth winning daughter twin like crap sweet little girl trying get approval wicked mother father needs grow stop horrible treatment one twin episode worst entire series resemble took season episode find horrible mother show turns stomach mother clinical social worker past little displayed mostly grown order make clear hard understand ignore message defend something really enjoy beg think slightly better listening vacuum machine think worse way spend waste time find made picture sound quality like plus see animal life completely found movie slow boring audio terrible would buy movie recommend dull slow paced entertaining would recommend screenplay could use substantial writing tell story convincing compelling manner movie awful could even finish watching bad way slow taste bad horrible movie like following illegal around watching sit day day try get daily construction never got half movie saw movie took library movie dry poorly directed production value poor life character lonely crack whore really put kind struggle house also put minority race took offensive would steer clear like list piece crap fact movie nontraditional relationship meaning two people love different conflicting however enjoyment movie exactly lovable character end devotion faith superficial mere religion rented movie story struck interest everything fine entertaining till main girl turkey killing millions disputable claim still among treating million dogs big lie turkey even president past currently many parliament heck turkey even accepted ethnical cleansing chemical course never movie hateful girl babbling bad turkey bad story interesting sincere beginning movie immediately turned tool hateful political agenda lost interest completely like hear hate towards movie looking heart warming story something sense look elsewhere got season series really went move season found per episode shame bait switch part prime getting series enjoying wit bring episode buy button play button best poor business choice notice prime worse case ill greedy asinine attempt screw prime get time helpful spend money notify something free prime first run movie b test see stupid prime hey lots operate deceitful fashion comes point trust business consume content one many seeking business even digital age trust business step single employee fix acknowledge make right send obviously know want buy silence going read willful attempt take advantage loyal prime hope one show enjoyable enough never new price removed watching one may go get library sure high many shorter program wonder came one star raised cost prime per episode quaint enjoy would give least refuse pay episode opinion unreasonable increase year ago left competitor reason felt fairly well situated prime membership prime perk fading fast pay program solid offering however sold product value become consideration one rating opinion one episode show ago worth prime member used able watch extra charge home sick today watch told extra forget paying extra keep long week sat night relax watch one favorite glass wine bed ready watch imagine shock horror find series longer free prime thinking great show sense go free episode boo let prime big sell prime smart move pull put high price going spend money watching murder series prime really enjoy highly entertaining program want charge view one episode us think encourage people buy old sadly mistaken series disservice removing prime always good prime part could watch free see suddenly charging hefty fee watch disappointing bait switch fortunately still within day free trial period prime probably drop yes upset bait switch tactic taking free th season spoke rep said whoever series take away want terrible big company policy place kind thing could monitor number people watch free prime offering decide hey start charging sent prime membership unlimited instant streaming select selection prime instant always currently unavailable may become available future guess always clause lousy situation add two nothing price everything cozy mystery someone said cozy mystery genre want give away anything family husband two watching less cozy give anyone watched war looking something similar huge huge fan entire series sad removed prime spend unreasonable amount money buy removing prime well back recording next charging shipping agreement without notice seem little shady get far move around bunch nothing could capture interest unfortunately ordered truth travel channel ghost two lost terrible keep attention terrible acting plain boring recommend series like said bother watching show acting bad couple good beast dover demon giant centipede one overall still bad think best watched beginning decided something would like finish love show love show really disappointing watching season one pretty sure back season episode hell hound hell demon hound united kingdom black shuck legend creature wolf like beast red legend also see black shuck three times die part got right seeing beast three times got wrong hell hound dog wolf jersey devil supposed kangaroo bat horse beast end episode beast gorilla believe look one like death raptor also known owl man supposed humanoid like beast combined owl eats sad part episode old lady beast moth man similar death raptor except moth man known used u k one think legend girl cut half train half scythe pair scissors would made great episode another great one could slit mouthed woman another legend woman mouth cut legend run ask pretty say say yes cut mouth end end say average confuse run season disappointing cause used u k one werewolf never girl turn actual werewolf vampire recommend show two one last thing since season proof show fact fake watch episode zombie q serpent god see exact one zombie magically serpent god show exciting would watch remember probably enjoy watching real evidence proof like forensic show poorly subject matter believe title kind show much language poor taste many scantily dressed people enjoying first series sanctuary recently second season looking forward continuation good story incredibly let first season shoddy effects somehow something even worse poor interaction cast could perhaps forgive something else good series unfortunately really good series watched unsure watch acting poor worse new uninspired motivation watch definitely getting better first series better leaving series watching series season bad decision kill pretty much went hill killing show away five cabal incredible amount potential lot regarding return help season filled huge plot continuity point show even away focus instead concentrated introduction new character absolute worst character ever written pretty much disaster character poorly written poorly show honestly poorly character cliche likable quality sarcastic one fall flat serve make character even annoying show aware would well received first instead progress naturally forced character immediately accepted team character come across forced team immediate acceptance role death look foolish would like say hope season better far story arc mention five even focus growth character stated another reviewer show stuck focus made interesting season bad less expensive season even airing mostly season season even marathon promote season mostly comprised season volume bad season truly network even away wouldnt know good wrong bloody episode still part youd expect better site pay rent happy camper season much worse season one lower price season studio apparently well season worse major first first tie bad ending season one story idiocy later story much better second major reason season two bad loss replacement season character actress original growing actress nice character choice replace incredibly poor one handled poorly mediocre actress giving performance character kindler writing often trite came sanctuary pretty unusual alas back trite scene needs past character actress really lessen quality enjoyment show said good strong guest worth watching stand alone enjoyable problem show getting story arc within sanctuary network tiresome trite stuck finding cabal watching strength unwise stray likely purchase may watch season downward spiral writing show got rid great character actress replace unappealing replacement plot place disappointment first season sanctuary cool different aura mystery took viewer mysterious world sheer fantasy sanctuary intriguing writing impressive setting unique episode like new mystery week intelligent team well balanced thought pilot leave world behind sadly season live promise set season instead sanctuary season saw series turn yet another fi action series gave tapping back blonde hair loose accent could sam carter season get wrong love three series sanctuary something new entirely different tapping show character atmosphere mystery gone weird unique setting entirely plot ridiculous sanctuary navy come basically season turned show shoot monster week series hate say season taken fi b monster said show salvageable yes still show season make palatable still interesting although need avoid turning another chick gun fi character good season albeit far example episode helicopter great character piece already proved could good show season need return season formula show save would recommend season catch run would mildly entertaining wasting money something better season cover show well go want warn case really cheap doubled slot sake cost produced something likely scratch sanctuary clever science fiction show never especially compelling much time find falling asleep halfway episode point happen switch time show usually nodding question fatigue every week wild entirely half baked thrown lot crazy business end episode whole sanctuary team tea office show upon interesting giant living earth sort collective like symbiotic relationship every week sort thing fired way en masse sanctuary religion kali one abnormal myth historical jack ripper science adventure together concoction throat little hard swallow said glad see loss one regular character season hint worst actor show introduction new one whole cabal wrapped entirely quickly despite show also watched season hollow earth mix improvement season season one phenomenally good could wait season needless say based title review found weak poorly written maintain interesting persona poor support poorly written obviously hastily written lackluster major disappointment season one one original writing staff new group come something weekend agree assessment glad happy purchase returned mine fortunately found one defect thank goodness check future season three way rather risk trash season three please like season one enjoying series horrible episode solution issue huge abnormal could move earth style dance ended get past fake accent brown hair good believable look either used unknown bad acting whole cast first season sanctuary one refreshing come across quite time however addition disappointing occur seem season two intangible attractiveness first three resolve loose season one biggest issue read know disappointing part show heart admit death make sense w e writing good still shock wonder longer show one else griffin invisible girl done quick senseless clumsy way get would better come back cool great compliment also cabal story arc like huge deal also done two three brief seeming like nearly pervasive threat season one maybe regarding character necessarily think bad actress replace seriously serious show would name character anyway mid season mixed bag hero lighthearted lot better expect tapping old pal cameo cool watched twilight episode probably one three favorite entire series far brilliant two part ending saga fairly decent admit mind dancing sequence actually put much smile face stressful day show incredible season one sanctuary mysterious dark color palette could anything color palette lighter less mysterious sporting better tan chatty sometimes even make difference like show normal made great begin certainly worst show honestly would recommend season two seen season one think level quality giant dancing spider time worst ever got rid hot blonde chick straight men target demographic season one much bought set something often show promise however series totally season two killing bad move cabal offer nothing clear cut horrid addition repeat said completely tired stereotype mention poorly spent season would get along came thinly written sorely many really really reaching show wide open thats saying maybe one two good entire season reason gave two instead one hope season three form season one fun exciting however season two end cheesy top dancing save world seriously hold breath would suggest season two sure watch first look season three begin th wrote review season one season two going make break sanctuary broke watched set perhaps spaced bit might bad tapping acting ability come work effects improve worse werewolf guy still miscast season writing see season three poor fi fantasy little really good stuff watch us take anything sanctuary ever surprise season two sale worst movie quality ever even make waste money even rental bought video niece big fan understand unofficial video like presentation much focus history crack cocaine history jam jay z amongst took away person supposed speaking quite glad used certificate buy need know save money read official watch waste time money real junk go anywhere near unauthorized full trash regret watched first thought l inappropriately dressed showing much much cleavage conservative country rather poorly written script though script much taste one disappointing mostly full accurately actual check days story huge queen fan lot bore one worst work ever seen male model posing smiling alternately giving viewer work advice along swimming great way bother sitting instructor posing several without giving routine good give system gauge progress briefly saying many also lot require equipment going gym working watching video would difficult like watching pretty guy body posing telling used skinny high school work video ad total rip con men correct wonderful narrow gauge railway deserved better tour quality film poor would much better shown exclusively steam run special shown detailed map route big disappointment toy title important understand narrow gauge railway world always provide unique service remote mountainous precious shipped remote location long road service possible industrial revelation part narrow gauge deserve much better film maker mad mud people people painted supposedly look like descent whoever made atrocious horrid racist abomination ought dirty movie must bad trip mean seriously paint wearing like mud skin color thing deadly coffin plotless senseless yawn thing first place garbage worst finding several people determined watching hazardous review doorway suspicion instant video movie downright creepy know even intentional accidental music start film light hearted romantic good opening noir film musical band leader long nerve even love supposed happy seem ghoulish perverted grin like vampire love interest film telling bad constantly verbal listen answer whole story upon last film long tedious annoying film bad lighting glad live happily ever enjoy part performance even music ask question reviewer posted review really clue desperate movie accept poor product think release good good opinion let start big problem stop moving spoken hello good quality dubbing horrible washed video plenty make good release form sorry excited version nearly amount money castle blood times better looking fact even alpha video terror grave half price say better could live washed video dubbing almost hysterical many old film look good one spend money develop decent product company many print say public domain around quality worth movie many collector better shape seen better fact watched side side quality movie home computer done old home basic opinion excuse film company perfect job classic public decent shape certainly cost high clean master movie sorry want hear one favorite film mad release long hair movie guess maybe horrible quality trying picky rare concerned level think release fairness rude need raise date great wish still one day someone release beast ghost castle living dead aka crypt terror long hair death correct aspect decent crisp transfer audible sound reference eclectic release time found high quality spot old poe early works music movie personally film quite good say best probably black castle blood good enjoyable film really lame see review suffice say obviously old worn tape bad audio built like serious terrible guess way see movie worth rent bargain day otherwise forget avoid company even worse alpha video never thought ever saying company charging way much whatever complain love budget thank alpha video list price release insulting poor quality transfer shame long hair death great flick cool period setting good production design engaging story spooky favorite movie never seen buy used sale shame eclectic distribution ya become quite avid fan watching several horror ghost upon film last night browsing predictably excited since able watch instant watch via prime long hair death production originally titled directed nothing unique quite predictable woman accused witchcraft burned death curse upon nobleman count son woman older daughter mother put death old count carry mother curse soon younger daughter taken family responsible mother sister comes age married terrible thunderstorm catalyst back grave bent revenge persona mary castle smitten mary beauty ill unleashed upon admit weakness story predictable may female lead combination irresistible unfortunately enjoyment film awful quality film picture audio quality lot dialogue film yet could barely hear said time made worse fact actor lip often match sound example dialogue would continue even actor finished speaking picture quality abysmal grainy general sense much attention transfer process imagine like anywhere near awful experience via instant stream pity really considering performance would nice legal copy movie every thing screen ever sell cheep movie cannot even read beginning film title completely sides screen annoying sound good movie sleep hope next better last time review movie slow movie poor humor poor acting make past first hard write rating memorable rented see hold interest movie whatsoever felt take shower piece crap need remove streaming list evaluate offer prime movie ever received beyond thing trash trash people wast time say enough nudity fill magazine bad warning either angry please put full partial nudity film good video get dog attention seem calm little watching bad music horrible singing worse seem added music triggered dog attention also gave add headache try watch dog probably make slightly dizzy ugly mention music two dog sort think far better one record full size past looking see life story show want past would good think quit watching poor video quality might try see video quality better love one best seen great picture quality kept entire show saw person lake watched first interested someone made movie woman becomes prostitute discourage sister following far could tell well known script well real high quality acting far first ten went would call first class would rate b movie much give based first guess time valuable spend movie brilliant entertaining b musical even academy award nomination song song music sammy big hit harry around really big cast lot fun hunting copy film never seen television never video poor rating terrible print dark fuzzy guess best copy synergy entertainment could find great disappointment shall nevertheless continue enjoying regardless poor quality little likelihood anything better showing future full sending promptly much sooner good b grade trash horror movie slow get abundance romance horror movie horror movie tame least movie good thing rather watch sex preview never actual show really old several national printing week even small fee like see bit actual show particularly since goes back l like straight drive movie like style b goofy say could figure curious checked spent mor movie would upset classic genre get pay documentary zero footage lots filler graphics long dull audio good informative could way shorter way better get video footage instead spinning flashing photo pretty much stock anime boring predictable animation kind way like cutting edge anime dont watch looking bit rental fun expect much would fine thanks time sort fun seeing moral attitude depression classic nothing worth watching state waste time think used call type film youth seven ago anxious break code tried treat sophisticated material forbidden showing much violence flesh plot routine acting poor direction mostly let point camera bizarre movie long time flash back youth military particular ancient indoctrination film life drink become drunk crash sex get smoke destroy health make look nasty instead cool fact fund later probably true need preachy film telling us guess student film history student social mores historically film enjoy making watching b movie may cheap production poor acting b picture like obsolete bad looking forward could get beyond first film film bad behind closed fantastic cast young looking drago early drama directed one best quality atrocious contrast print good beat obvious taken year old print without least bit preservation film also giving incongruous posh sound quality terrible hardly hear anyone noticeable hum sound might well silent film shame film form anywhere else far know great offer hard find film disappointing film cannot experienced enjoyment like show average much excitement like horror probably movie great whole video mind numbingly boring guy talking band interview band blah blah blah review rental film film waste transfer bad film chopped much story line little erotic laura beautiful woman nude flick apparent reason billed nothing series advice waste time money waste money one nothing like plot story really follow want know bad movie buy one would erotic couple e x army name movie confused movie complete waste time must shot high school project type advice encounter movie rent move quickly save price coffee confuse movie rest character movie actually little full frontal nudity first movie sexual except quick woman window looking skin flick equal stay away looking foreign movie predictable plot one strange happening village strange bite mark although typical vampire mark doctor police commissioner vampire paperback copy stoker count reason police commissioner unsure young man comes town heir castle title misleading people got horrible vampire male sexy topless mostly strangulation exactly vampire sometimes invisible sometimes unlike old cloaking device attack invisible making bit comical sex nudity loran mary love must fun story line well enough turns plot keep high lost fling say covet maybe turning old fashioned age funny since review say left gut checked cant go series sure fun ride excited getting got disc nothing nothing worked disappointment told company response yet maybe lousy review trick private practice great season great definitely worth watch however ordered watched went sell back trade returned unauthorized edition policy disc contents publisher really disappointed would sell kind version think twice season box really ball got tired everyone bed everyone anyone time story line promiscuous medical got want watch show nothing sex show disappointed would recommend anyone happy purchase timely manner perfectly monotonous like kind music much thing movie big letdown see good martial bad acting bad story could follow one good thing say good movie eric lee like stuff kind copy terrible would give horrendous opening fight scene even worst dialogue plot could wait sure like let alone love gone wind also self serving indulgent mind numbing poop fest like awful justice guarantee anyone could go local house see better effects acting one girl cannot stop smiling long enough finish death scene pitiful plain pitiful another reviewer stated ilk huge disservice horror genre stop already one self indulgent amateur sen quite want watch entire movie people trying sound witty style embarrassing degree looking even half way decent horror movie look elsewhere seriously rent buy lot b love budget ever made ask boring well one sheer endurance test sit really stand seeing made rip horror false marketing people clearly horror movie movie actually insulting horror movie obviously think clever little slip past us well calling bluff yeah blood thing insulting even earn laugh whole damn movie awful avoid looking real entertainment appreciate another movie within movie normally done rather poorly film gone extraordinary make poorly done look great film crew style house film budget slasher movie see many cast director abundance director commentary stuff normally left director commentary extra getting man mask killing see many fake movie real anti climatic really amazing bonus section considering movie thought could something bad could going delete anything part big butt director sad movie around f bomb brief nudity girl girl spanking little actual band poorly shot waste time music real disappointment maybe need patient watching lot film similar boring slow start show really good demand streaming horrible get stream streaming perfect know network tho funny many racist guess person watching wonder get away racist way today country say anything anyone without lawsuit kind might like waste time many watch must leave someone else enjoy stuff funny book maybe two bu two st first thought stand routine husband format tho boring guy finny common usage enough waste time show waste even thanks got sound never could get picture might actually good could get sound went customer service help got notice back within twelve screw back first interesting see viral might quickly repetition racial sexual unfunny slapstick son made watch show clips based enjoy watching dozen people vomiting carnival ride seeing boy open leg show much thanks perversion epitome intolerable tribute corrosion tech run amuck tasteless funny familiar show extremely crude disgusting waste time watching tosh find humor pedantic crass know many people enjoy show like humor side maybe one nice idea show real comedian instead vanilla entertainer leading audience clip show spend way much time tosh enough real content absolutely worst garbage disgusting show would get zero give rating basis show primarily poke fun popular culture streaming clips commentary viral like soup subscribe popular culture e g active account might problem probably already seen featured show however depending sense humor might still generally show clips tosh providing commentary tosh one video particular giving make many video possible tosh stated clock viral often feature web redemption tosh individual featured viral video chance extend fame usually explain video recreate video sans blunder tosh featured celebrity like rant double rainbow man tay chocolate rain personally interest one hit hey maybe people run show tosh sophomoric edgy sense humor find penis juvenile unfunny show problem racist homo misogynistic show really deter check see like twisted funny horror thing twisted funny even horrific know even movie acting unless call people grinning screaming running apparent reason endless voice us happening except much get supposedly horrific manners nothing horrific obviously budgetary horrific display take back twisted thing made funny joke horrific available wish could give zero star love watching b horror unfortunately one f bad flash word horror screen supposed figure perhaps scary maybe intended distract fact look act shot consumer grade camera ultimately like wasting money great way lose couple tosh rape joke laugh factory funny stand routine tosh made rape joke audience member rape funny tosh would funny girl got gang right moment like right right seriously yes seriously like funny show many consider broad sense humor extreme suffer well tosh really name tosh point zero exercise stupid simply anything different whatever self guardian place three kept waiting true comedy strange life instead idiotic loser somehow made television stupid stupid well little else said real wide disconnect funny notion tosh actually something funny point every turn worst insult predicament like feel better spending time show want something funny go anywhere else everything show even concerning fecal matter initially yellow green meconium coloration comes presence bile alone time body bilirubin dead red blood familiar brown appearance unless baby breast feeding case remains soft pale yellowish completely malodorous baby eat significant food show basically except much less funny originality many basically top would see sure funny show overall old appreciate humor talented comedian trash found disgusting bad ya think making fun hand capped people probably place society tosh forced watch class waste time really plot bunch set country one even according movie different watching video subject get far education entertainment video ever going rent instead bought feel listed documentary farce thought something totally different instead got incredibly boring documentary bogus theory bas look something like forming pentagram find mean special secret think another monster type documentary based real thought church effect people rent interested anything find heritage much like one though guy time cheap panoramic getting actual subject sadly disappointed unfortunate documentary remarkably slow moving showing example roundness round church great deal un necessary music enhance video also cinematography quite bad also suspect focus early mythology dan brown may enjoy slant blatantly speculative nonetheless discovery make interesting save trouble actually watching summary two round built shortly country lie along latitude golden ratio line one construct large uneven pentagram two pentagram mountain tops old two early last early church center pentagon inside pentagram church st decorated four pentagram even circle circumference last point slightly falling outside circle mean film would believe early really doubt interpretation probably knew sacred geometry something never really lost make statement old religion speculative bottom line watch film interesting material hour half made video instead try play video never membership hope fix problem well actually get watch movie player kept going got tired waiting turned stuff boring although would expect something like much indeed many great phonics learning read gone place repeat footage quick jumpy animation proven detrimental every like go back watch family sesame street come back never film enough also make look grouchy fault get much everybody else resort living trash never monster hand homeless fault star like big bird forced live love grouch would play consistently could watch two year old watch sesame street wife watched big surprise show horrible bad manners baby talk many undesirable thing disappointed daughter watching garbage audio episode sound point able hear disappointed street season kindle fire money worth son never one sided min television sesame street go everything nothing particular original much better episode dumb acting forced sing thing min felt like watching child watch would dumb one star generous imagine show fell bad cleaning another room racial program thought imagination sure checked program racial slipped casual conversation part normal conversation watching sesame street future video demonstrate yoga however simple straight forward enough hook therefore liking instructor fast paced style mixed verbal feel like video beginning yoga would recommend video well experienced yoga people could easily adapt fast paced rented approximately hour long film description rental long bonus actual film best long short film woman date good considering star subject great film soldier girl show love story knew independent video gold however item sold movie rental short bonus material making style video script writing commentary shame making times long actual film spend money deserve better watch movie make interesting maybe post movie crap waste time idea short stupid movie waste time right side screen said free movie feel get much membership pay claim get bigger discount sign non member see significant difference dont list min stuff please preview believe work anyways review lousy review work anything hear either sound terrible low weak hard hearing free trying video wanting something expect able use computer anywhere even without thought movie waste time seen better behind video room tablet like trailer mistake thought entire ice age dah real movie since advertise like entire length film shafty total waste time knowing one film surprise actually time line instead guessing done realize watch making scene nothing interesting showing make scene movie see meaning accidentally thinking movie know making scene actually love movie video making movie grandson disappointed learn feature film movie talk show good like show better want movie know try hope work whatever waste time free guess thanks tablet play tablet instead misleading working full length movie never able get load movie grand child went watch turned commentary movie director really noted site something wrong would appreciate feedback movie went video library watch movie commentary director exactly make mandatory restatement item thought read better also love movie movie short version would like movie foolishly rented documentary based description story first totally fake even creative fun way totally lame guy random people booth nobody made people either clue pretend know fake camera pointed lame also fake interview booth brother junk fake film professor whole made hand camera couple would give whole thing c freshman film class waste time money completely lame film even enough make bad good category unfortunately travel guide much regard area surrounding family hotel addition show island unless something nothing video unless chance purchase good family home video travel guide save money description misleading movie poorly put together movie even follow rode along want waste precious time watch movie writing plot movie pretty bad boring side acting great either irritatingly loud forced turn volume constantly dialogue family friendly film due drinking watched one episode many times watch someone count many trap sort like catch drama next supermarket cannot get play computer sure sadly least free min thought full movie feed thing oh well guess much hope nowhere noted language version oh known way get refund enjoy alchemist speak reading tedious millions hearing people us time realize enjoy show without like show lot thought get remake original v hard act follow considering cult status added new typical fi hey didnt mind getting bliss terminator seek f people charge show ending prestige got spot somebody block reintroduce marc singer original reptile killer black operative really hurt always marc presence ever since like real cool role people pay unfinished p said born every minute reward nothing except something akin taking book hand really enjoying ripping havent read book back least reread already even though never know story stop unless know story complete dont like book missing second half maybe get someone science try writing fi think low point line fleet ordered entering outer solar system within radar range better must crying soup year long wait unfortunately right bat obviously major network series typical politically correct thrown poor crime drama school doesnt anyone new idea actually feel kind bad movie serenity good fairly fresh fi movie alan hope reason giving instead original good bad cheaply brainlessly true fi fan avoid original however like conveniently weekly crime may cup tea watched every show still got point old one invasion district actual event independent day unity old star trek new star trek young making new v figured story want tell yet entire season one like beta version nothing set feel like want try rating get brand give go far feel like want call book v come thesis book yet good season one meat hope season two start pick pace never watched need keep better track watching unfortunately show going direction fare shaping evil really look awful instead beautiful good agent priest entire show time advanced premise rather wish unrelievedly beautiful surface evil underneath leave much room interesting good bad thing time looking beautiful alien anna neat way could try virtually doubt watch next week think stick fringe fi choice season save money show really work done place days one open new vision v mythology bad weekly v show least show already established two prior outstanding series least excellent back story v two dimensional go nowhere one review stated change first episode season last observation right lazy terrible writing show direction feel bad actually regurgitate worst dialogue history whole mommy son son always feeling misunderstood trying upset push control v done death perfect example lazy lose teen angst could accept couple actual change season definitely seep season got annoying beyond beyond whole mother son thing rest actor boring fault great job poop love show need shown door get someone salvage mess social original series mirrored world war second series dealt abortion genocide torture many come directly mind new version anyways two obviously watch form opinion buy set seen couple painfully made season except last two decided going get better v opportunity television recent aside brilliant glass darkly original deeply alarming insight modern liberal democratic society could misled fascism totalitarianism mind new v given last turbulent decade contemporary history wealth philosophical could could potentially devastatingly relevant piece television fantasy grace since demise brilliant depressingly new show chose engage anything contentious instead seen fit reach compost heap turgid network television serve us plate tedious pap soap opera banality find one character cipher b remotely worth better human edgy thought provoking st century sure original nineteen secretly sucking avoid bad could turn television beige nothing like serious could better positive show looking day like many casting based pretty everyone long wait got new show unbox rushed find sorry excuse show begin poor acting poor storytelling poor cheap special effects name first pilot artificial kind feeling predictable unrealistic like read screenplay shooting sessions even get warner stick specialty certainly definitely let competition keep good work without trying measure remake given today average series one say today worse least common since x countless high quality series band taken deadwood six house lost shield sons anarchy list goes idea remake today disappointment scale conclusion household fi tried several times get show incredibly boring despite potential nothing ever happen suspense surprise nothing scratches surface plot ho hum never found thinking wonder happen next know every time tune three true evil blatantly gray trying lull humanity false sense security resistance everything else like thrown something happen really relevance going acting pretty good really connect nothing relate nothing grab suck show alright guess really mad buy episode view save personal file computer remains video library going start saying love adore original v v v final battle absolutely spin weekly series soap opera television last decade first line give new v series chance especially since featured many lost alan firefly laura modern sensibility brought great fi concept usually good thing see old v every place new v weekly series short first character watching first ten found nostalgia sake original course ever incarnation nothing connect character one anything work enough anna none gleeful devilishness original series wolf chad decker much non entity even second plot pretty much original v seem certainly high tech sleeper change original post sure awful quick accept v hold water conversely awful quick determine resistance evil v first episode third action never moment tension barely palpable watched final analysis stopped watching match original could tense gave chance chance besides thought worked many never thought yearning days marc singer new v series make nostalgic wonder great fi like lost firefly show successful obvious looking next lost v long shot television abuse fi take keep coming back like matter bad writing series pretty bad writing main problem story episode predictable way come expect lazy network way importantly episode story genuinely develop series season development going kept answer nowhere season less spot know nothing knew beginning precisely nothing new learn evil plotting v made clear first episode basic configuration resistance setup first everything relatively unimportant lot could done complicate v moral character cultural complexity done new battle star v series v hive society anna monster production team top really bad job laying show need better needs better story spoiler warning reptilian looking v wrapped human looking skin find attractive love sex believe say mate v know reptile looking alien inside human skin otherwise odd guess accounting bent alien might even alien mate create baby weird baby sure kind mixed breed infant nonetheless even though v look like anything remotely human must closely related nothing call except incredible e totally unbelievable tip show working science fiction genre try stray far basic scientific show goes weak especially love v manage remain emotionless five later witness scene among hate anger fear v queen love agent teenage son emotionless superiority go maybe point v emotionless well fine old series would dealt theme hour long show v goes week week oh fair found example queen v eats mate business cool however show dreary mess doubt trout ever wrote anything pretentious vapid show second year perhaps incredible aspect whole story watched original quite charming remake however worth watching soul formulaic first episode even care watch second story v adapt well dialogue boring teenage love interest well dry stereotypical teenage drama teenage drama often main story line create sense urgency times could explain bottom line far better season two barely made expect third season series bad science fiction first look like us skin deep mention possible another planet look exactly like human except better looking give break appearance likelihood another race look like us would happen scientist would question possible appear human never show huge flaw however go path show would vastly different better want see good fi suggest rent buy district could see people could argue star trek look human well true find unfortunately awful well beyond fact look alien standard television writing worst bad soap opera little consequence watching much wife bad fi catch piss making like oh look dead visitor gal could bring body station show whole world appear lame totally lame gave ten ago suggest well cherry pick like watching hulu rental television series v proof time back away television trough hog feed want see good fi rent district original strain first first season stop forbidden planet kind hokey story line great two good series previously firefly set space whatsoever entire series show much promise sure dreadful dialogue yes could tell slow start v first hit earth exciting show thrown pile trash generally worth watching recommend watching series v introduce giant hit foot hammer save time watching anything disappointed v watch free demand beginning episode season decided watch usual come find removed pay order watch think dirty move make money try watch still think bad move always free watch demand really disappointed horrible show angry chose piece garbage flash show failure fall network bet huge fan original series want script new even old done time boots good bad old school fan upset everything done way first time first series thought cool let see airing schedule going watch set mind watching think outcome different pilot gave whiplash jam almost plot took nearly three half felt like major missing like shown instead us everything narrator character came later pilot rushed want watch went fast slowly kept certain need us never really answer question still sure result know even resistance except apparently got nice leather however nylon technologically advanced something could throw wash suspend disbelief far lot plot shouting nothing see hey look pretty people give us information care probably need much time wasted around anyone revealed v time see also bobby stepping shower defeat love empathy seriously special hint instead make center plot better make human tell us either even telling us one rebellious son always jacket otherwise would able name one bad thing done since access anything without seeing father jack idiot cannot adapt situation yet keep loop anna wicked evil motivation keep wanting call reporter chad reason may built fever pitch nothing gun hire beard get top billing even though got jacket amidst anna chief medical officer rarely see running fifth column must brutally execute people show emotion lest able anything moment notice always little marble never story think ever know since busy paternity coming new hip reason food water needs either simple complicated audience understand days went cancel think well five month gap airing hard believe otherwise like people watch cable go nobody invest time something knowing going cut mid stream broadcast seem let something sink swim rather trying cultivate anything past first anyway invest time know sure maybe knew network would kill along even get jacket like show incredibly bad story poorly executed crucial sense little true drama intensity suspense humor heart little action short story absolute critical go good story telling consequently show entertaining real story supposedly friendly acting really sinister aka super secret evil plan handful truly friendly trying reveal stop single lone entire season flimsily boringly entire first season vapid sub thrown season really boring since story never progress mature truly go anywhere watching making worse fact boring uninteresting agent priest hammy top mercenary type friendly black guy alien boring writing weak show acting bad bad never seen worse green screen show truly good fi make check make excellent make older fi show remake v colossal disappointment going make clear v nothing mere empty remake completely horrid every level made huge mistake great series like flash forward yet keeping piece crap second season hell wrong clearly know good thing second something low toss side like dead animal cut mind numbing think great never chance jackass company decided well making us money going give ax please make better losing countless bad last two reason fox clearly better network respect waste money trash assure worth factual account eric life better bit dry follow tried watch movie four times four times two times got though movie likely spent min trying reconnect lots people like complain cinema prime quality film making truly complain wrong like criticism entertaining fare like effect incredibly stupid overly bloated aping like red cliff receive praise ultimate worthlessness example action choreography woo red cliff quite frankly major monotonous basic spear swipes repeated bland sleep ways incompetent camera work reflect sunlight stun strung repeated edit point epileptic seizure yes saw flip first time run one second clip dozen times added emphasis like manner concurrent spear fight general protecting baby overuse slow motion surprise given director woo genius action adamant martial choreography even worse resolved drag boring excessive must reverence peter line illogical thought simply take bunch uninspired magically transform great action tossing ridiculous money dragging forever unnecessary slow motion method con artistry apparently lot people understanding quality action film level far higher fall nonsense boy battle dim witted humanly imaginable example latter fight antagonist army comes across small band lady attack retreat leader men charge second command possible ambush leader simply afraid question think might ambush would gender bait even matter army waiting around corner logical sense whatsoever stupid enough antagonist army trap ahead promptly middle formation easily surrounded inexplicable logic sloppy used throughout course entire movie retarded bad many times going see thousand sit around one two fight enemy army near beginning someone moment simply shift create open pathway one dude charge nothing absolutely nothing truly smirk face ridiculous strategy part plan along smart stupid like manner latter battle take sit around es misunderstand like brain action film grounded desperately battle better make sure script strong enough create true mental chess game red cliff miserably side note also serious problem facial tony look like sleepwalking dude beard really cake unabashed much fact painful watch virtually every moment camera slow motion moment latter battle without question one single worst movie st century terrible anyone right mind enjoy tripe answer question lot woo general everything movie mediocre half hearted extreme training sessions horse one dimensional generic scoring typical blockbuster compliment criticize tony want least inspired brutal action exceptional fight choreography feel free toss bus hundred times camera work woo look like amateur still retire take little white poorly written directed movie zero character development drama movie made action display grand extravagant quite terrible haphazard sloppy acting laughable movie even half way decent every scene arbitrary bought seeing full version spare disappointment go full international version version like watching lip national anthem nice good done right garbage need go detail high rating coming woo must see rent know many people thought good pretty obvious start going poor quality like turn completely idea entertainment decided rent red cliff saw international complete version apparently available rental found truncated cut mind watched film yet imagine giving one star know going get film shame pretty satisfactory feel though shame reason us know expect rent international version actually getting shorter inferior movie educated history sped fast read therefore great deal context history instead spent time trying grasp meaning little able read reason watch big budget spectacular following fatal firstly story line taken well known classic romance three major story movie director secondly battle red cliff one three major times one significant crushing defeat red cliff tried escape passage route ge liang posted kwan guard fully kwan capture kill history would different kwan let pass unharmed event totally movie thirdly role ge liang master strategist times deplorably miscast anyone read book would choke role inaptly movie like watching rock tony finally big budget film like engaged diction prompter hear pronounce red cliff pseudo mandarin would make choke like red pronounce better towards part like red wife red comparison proper enunciation language important lest risk insult hilarity thankfully largely corrected part movie however history well novel largely distorted watched two movie without hopefully sense make sensible plot beginning busy hard figure part movie commercial movie kill time little entertainment value good movie sex scene total unnecessary substance another epic film use get graphics great story line good sub readable understood well battle great movie follow historical red cliff one dramatic war history however movie illustrate major event seriously know initial movie positive mirrored major review around country alright perhaps ancient based historical made woo hook people seriously calling best movie magnificent recent film lack taste perhaps people afraid saying anything bad made perhaps lack understanding original material still something inane twilight make serious box office go figure tradition recent cinema red cliff ultra shallow film acting uniformly cringe bad say crazy language cultural gap acting get better even speak exception tony one best character actor hong totally wasted role someone business long agent really away project first time around away initial roll remainder group celebrity cast involved act way box much less carry epic blockbuster movie plot based old historical novel based old history figure hard make compelling story luck much inventive character one even keeping character incidentally atrocity recent sherlock flick graphically set design poor ridiculous one cinematographer woo ever real red cliff location used poor video game today would never touch costume design handled yip competent nothing memorable music competent odds thematically rest movie thing whole fiasco movie source material romance three great novel good movie competent director unfortunately woo idea handle anything slow mo guy two anything even remotely usual range suck fantasy bulletproof monk example got go ahead project beyond unless play drinking game along shot ever time cringe avoid movie cost movie identity trying funny historical action well boring went sleep speak much blood waist time look good poster movie probably better focus much tiny rewind times watch small went fast watch time terrible job probably good movie problem paying printed screen trying watch movie sorry movie stated see guess video version film even supposed full length version doubt adequately historical background leading battle enough background country politics different general higher rank story unique story well course left already know story movie familiar three see many people would trouble enjoying movie movie war good sight nothing ordinary rain computer one man godly ability smash unharmed focus battle poor excuse sub par acting part lin chi ling despite important role plot weak camera presence understand disappointed lin several muffled mean come professional take voice class something furthermore acting two male remain large un due run mill script supporting left even less material act e g lastly sappy ending left unsatisfied knowing ultimate rivalry three great cinema photography story line unfortunately bad execution acting best red cliff like watching oriental soap opera sweeping epic try pawn quintessential film battlefield historical accuracy wherein rely entirely natural win instead brute force conviction red cliff also much clean formal pristine predictable wholly one dimensional story line predictable physical within battle ridiculously implausible slapstick film boring weak poorly waste time boring weak poorly waste time waste time like first part movie saw part seeing woo second attempt red cliff said went movie higher first movie saying director involved sadly movie also even part version part almost like woo left expensive film part use decided string together make part movie basically movie part told different clearly see making first movie said version better pace better character development better coherency first movie like part big budget saga nothing new big budget saga seen last samurai jet li hero lesson learned great acting cinematography always make boring story good literally one worst ever seen watched end literally laughing ridiculously incomprehensible movie behave lot static otherwise good movie visually appealing compelling story woo far concerned blood flying place rather good story together memorable send back second defective first one displayed scattered data stopped beginning movie second one hour watching like excellent movie seen quality defective know rest defective product two times look another source purchase still waiting hear dealing w seen woo red cliff couple times full international version really way film made shorter international version shown pay per view us version essentially two material story figured correctly version first half full version hour second half full version way go theatrical release problem short version great deal character development numerous several end film mean anything soldier mourning dead enemy something thats removed real amazingly great deal action obvious opening battle cut case less less yes film faster think confusingly yes removed many philosophical strategic people found dull time film little series connected battle full version scope action character rarely film short version pomp circumstance little behind also find strange since seen full version twice prior seeing cut version way go see full version yes five long stop pause version considerably less full version many visual little emotional feel movie could better better dialogue focus certain feel like film action scene action scene become numb th guy sliced various ways numb certain point begin doubt reality one guy able destroy fully armored men one swipe sword let lord slide kind nonsense let movie parent homeland either woo mind always going director believe watch cringe none game woo also opinion know design villain throughout entire two villain always one back one dimensional days mustache twiddling however done well tortoise tactical battle good single view however stated much slashing hacking one becomes final major gripe film lack character progression movie almost character progression remain piping one paper thin plot predict next plot point within next hour even worse take certain attempt show individuality reality taking sort personality angry dude girl oh edgy everyone mustache twiddling villain end feel film away lot due foreign film surrounding sure one left wanting consider film made director setting doubt mind would critically people would point similar spike miracle st anna better foreign film market consider blind shaft doorstep mood love generally undiscovered offer much shallow mindless action red cliff directed woo early part first millennia powerful prime minister china unite country conquering two breakaway massive army navy two rebel unite five long later defeat army barrage cartoon pyrotechnics oriental attempt match lord apparently important part history unfortunately director action woo action art form art form basically violent hyper kinetic live action cartoon aa aesthetic completely inappropriate alien historical film whose main strength real event intended enlighten educate entertaining super abundance overly complicated elaborate unlikely action abundance aa excess abundance need apply characterization nil striking acting cool history sub par still idea bad china united prime minister bad since everything even idea real china real battlefield look like nobody hit one arrow get hit twelve five people get people get one movie would suffice two long shallow boring interesting either five life needlessly wasted nothing special go watch battle bulge film nearly version less half saw version first kind made sense watched internation version part could see masterpiece woo hope nothing us version great injustice wonderful exciting motion picture watched whole thing gave sister understand plot one lot good movie familiar three kingdom since early age appreciate good without kung fu fighting e g comedy drama like eat drink men crouching tiger hidden dragon read full length blur ray version make sure taste spending watching wish chosen watch short version streaming would satisfied curiosity reason hard copy watch second time two part release business decision make audience pay two instead one cost shoot extra footage double revenue incredible amount time spent top battle lot blood gore add little story find wondering would director woo understand old saying value quality quantity imagine would like one hour battle another way woo movie add irrelevant gratuitous e g involved two level intelligence one mediocre daily soap opera really want see soccer made wonder woo indulging harry potter movie added much gratuitous gore distraction hard believe left dramatic plot original story worried sick wind extent blood ge liang illness magical ability borrow wind east character ge liang much like merlin entirely lost movie movie could limited release outside cutting half hardly surprising even hard imagine could great movie budget many fine director whose skill limited action everything big waste like lots icing cake giving star generous side read san three probably disappointed movie important example novel feared liang tried negligence duty task making supply movie entirely left create arrow incident becomes comedy relief movie novel tie wife boast built two sun quan live movie sort childhood tie stupid would nice see flight chi shed general clothes cut hair beard avoid recognition capture left well yell leave lame casting terrible well mid time chi old guan cast entirely wrong instead tall strong man capable yielding blade shrimp fei also unimpressive bit role said never read novel never reading might like visually riveting fun movie truly bad even fun sort way resent film tricking watching stupid high school level view whole movie decided watch making movie boring someone truly lousy job ordered brightness level low like show shot someone garage checked player refund real shame since writing early light better current season would watching white collar probably one best written series today perfect writing best rely violence sex involve great show hope keep excitement super writing thought getting volume season get would pay beware always get show click love new like moss mind sad wasted time money watching movie photography dark dialogue frequently inaudible unsympathetic plot nonexistent awful ending unsatisfying disappointment searching movie gave option purchase specify kindle fire disappointing movie watch tiny box never waste money doggone much actually hate boring well say also even want money back thought going legitimate history sword got cast men whose version war burn house rape steal live stock watched allow negative consider negative fod like really love love love documentary sale going must magnificent unfortunately something bait switch urban straight series poorly shot poorly lit well rather dreary fight choreographer bob least documentary life bob blade even documentary say current popularity historical fencing people whose often never established could course properly lit well even get worth rental fee go wrong would advise people stop watching front loaded first get behind fight choreography star new hope trailer would believe glum old sitting behind desk talking important carry sword middle think news sad really could put effort get rather showing two princess bride poorly transfer like dub pointed television even academic treatise blade really stand simply much footage random fencing club renaissance fair wooden badly delighted documentary least could used video camera w seriously establish consistent look recording could around footage bob throughout oddly present trailer would believe first portion worth streaming fee worth anything interested seeing documentary interest realistic sword combat see busted real fighting shown documentary complete bust disappointment min actual discussion topic medieval combat rest either made lord documentary bob documentary also hilariously annoyingly repetitive like go min without saying sword gun fighting art lost sword gun sword gun scene least times want meat show watch truth sword otherwise stay away boring misguided documentary guess spoiled whale doc said said documentary clearly movie even clip movie waste kindle space nothing trailer scene made worth sure movie biggest pill ever seen bad acting screenplay hilariously awful movie dumb dumb sad say little girl one movie something part movie laugh ghost use nail gun also love set fire end fact whole movie joke taking movie seriously help laugh would rather watch darkness watching like bad horror watch movie movie crap make laugh p even give one star let view information tube current information watched interesting film unbelievably sacrilegious heart catholic faith practice shame produced like miscellaneous beat video watch receive message error try later another message coincidentally anything must purchase always available easily one worst scene long time writing want make mistake waste hour party party slow boring filled people think important say really pretentious full half time idea going whole movie could made ten guy girl attractive night chasing rest fill horrible uninteresting get much worse sorry complete waste time coming someone patient usually quirky believe even finish right front wife quit job make film several ranting great detail right movie making jargon business think someone well informed actually interested guy first place volunteer support instead treating like next get entirely detailed drawn interview editor backstage regarding process ad casting would ridiculous straight movie following opening protagonist word learn course presentation already various successful industry learn useful script start shooting semi humorous advice based assume movie actually supposed educational film film school presumption audience would actually interested informational content rest script obviously genuine documentary way sugar coat lecture fact film school student especially one starting maybe movie see like wealth helpful budding film maker comedy average citizen see thinking video company good chance quality would decent safe side rented sacrificial first decided buy glad bought would disappointed upset well video well event beginning would think department supreme wisdom could exercise basic judgment offer whole video add insult injury throw full much better better quality available gave two effort graphic serious subject well disappointed serious topic stupid works works like product price worth equivalent commercial people breast self version intelligence glad pay free prime membership would demanding money back waste time boring boring long expect extraordinarily shallow know video know let whole thing play guess worth watching woman guy well past midnight move along waste time fact usual even remember oh well skip support cancer scary screening advised waste time glad cost anything browsing instant made mistake product desire acquire fact free meant instantly great concept poor execution maybe better version later think feature twenty age see mother breast cancer one twin sister early detection ladies something want get yearly exam live unable watch anything streaming soon free trial worth time watch woman know breast time reach age movie like make difference thought would humorous short clinical dissertation get breast message important comedy short could serious cancer silly pajama party must somebody tax write worst ever sure lot fun hilarious seriously lame dumb boob get first place remember seeing two thought breast cancer awareness video money help good cause never watched know list rate ah done never even watched movie clue review could watch whole thing sure even intended piece like second commercial breast cancer h first view could better consumer dumb totally need see mean recommend sense word could even get film poor quality juvenile waste time find see happy turn old watch waste time regional film life recent hit international film festival film short cut small big idea meaning story bad quality sound video bad like something used phone record movie sometimes know story still half title sign story watched lot great short cut case waste time please waste neither time money movie get first comic funny toilet humor best host funny bad timing better higher quality horrible total waste time even selection video library remove thought comedy ignorant silly minute video pole dance lap dance lap dancing simple pole dancing instruction highly disappointed interesting something would recommend movie unless want something watch low budget worth watching thought would sad funny real think one star maybe even drunk oh god wish tell kept watching first half hour guess become something good quite unusual film watch please tell thought think watch ever think know make brain mushy fall dead brainless last could slit bad sorry said much movie cain scarry movie movie bad sound high back ground sound high de voice volume low hear quality voice terrible bad luck like talking inside hear voice volume lot de sound cover voice say give cero better tried get whole movie acting dialogue awful occasional glimmer hope positive message would expressed shining big pile awfulness end day still big pile awfulness hour far got perhaps two three dialogue meaningful enough movie worth watching frat house aspect movie somewhat reminiscent animal house without sophistication class movie also bit fish water child another movie could lead heart warming could think much movie insufficiently educated given chance live potential great metaphor movie film basic production value bar absolute worst movie ever seen generous see deserving two best could good movie perspective got poor rating waste time money view ridiculous film completely silly harshly people like worked severely mentally ill found movie boring difficult understand would recommend movie anyone trying teach old boring ordered watch sabbath evening church good someone know wish watch language waste time dragged athlete modeling enough material art photography photographer sport long drawn exercise futility futile attempt capture ringside see instead staged indulgent apart title original novel nothing really bad adaptation novel bad adaptation ever watched waste money buy ask see stay tune picture came instead see music video owe second time please fix thanks use lesson audio video bad definitely comes tape might wrong could stand watch couple since knew would watch instant preview account life quite almost like press old days studio painted version star certainly contradictory made different never sure friend foe certainly interesting early days lot personal life one mother one adopted later abuse occur think seen read went behind closed guess terrible would like seen something little fluff piece one really dug like shorts get wrong one still worth rental review film even remember movie guess low budget movie bad enough make turn memorable either keep looking better gay movie gay theme also gay character gay movie must always end unresolved tragic hey gay positive experience us happy riding sunset lover anticipation wild night sex cup tea plot waste money watch movie movie watch list well done low budget believable plot would recommend friend one bad never seen amateurishly produced film one bad lighting bad sound bad dialogue bad acting short something offend everybody total waste time money viewer poor people produced mess movie slow film quality wretched acting horrible please sake keep away film would care watch full movie use offensive language rampant throughout would hate hear movie bad love main production staff talking movie potty hope show general audience even though language nothing us man thank director find offensive comes across male number see target audience bunch male b luck w see one actually think made mistake record lame fast click swear put trick movie p like two knew dumb movie yes waste time yes ugly truth really worst insulting real men real single good thing culture helping either gender correctly view opposite sex love waste time good romantic tension movie foul mouthed sexual could cute movie would get run hate prime always trouble getting run several times ask refund run also good selection free really movie copy got press release little got currently looking delete library butler ashamed hot man ugly truth male female point view pure trash waste time preview nothing please watch good movie spend time money wisely two favorite movie today good together screen even sparks fly natural comedic relationship scrip full extremely gross generally shy little grossness romantic comedy walk beautiful day park scene realizing attraction magic couple potentially together talk annal sex though common two people stage relationship given character screen even though guy way top gross male archetype something wrong embarrassed leading lady made say scene almost incongruous genre really could believe reaction prude sexually given movie would attract teen scene dark agenda rather morals vote money get terribly awful movie story line acting bother empty pointless movie even remember anything besides awful needs go back grey anatomy act like got sense instead real world entertainment starring like one ugly truth like movie forward crude rude immoral would never buy watch anyone shown television since used one favorite thought getting whole movie turns minute preview found one good free movie prime yet thought movie ugly truth love disappointed feature fault attention thought film instead boring watch know family watching one one admit watched worth time thought would offer insight another studio fluff piece another stunt real vice never level character development often see compassionate peace officer suspect incident interrogate suspect make think basically level help really see suspect person understand led point get none real vice discussion mission raid place lots electronic music frenzied camera cutting back forth laying ground searching like idea behind real vice execution worth whole show man amazingly talented participate variety show show went laughing hard yawning half hour stick hilarious stand show make particularly funny jeff disappointed show guess crude content funny love watch except produce potty sexual innuendo humor line intellect year old went concert last year disappointed amazing array fat embarrassed clearly obese lady next sitting next laugh visibly hurt lay head shoulder husband sitting middle seat row could leave dark auditorium jeff like super nice super talented man wish would find creative less humor entire family could enjoy wonderful mistake obviously show get past initial season show work even comparable stage try incorporate real life well interaction rushed stilted disappointment used like guy show funny funny funny bother seeing one episode doubt see another one could even finish first one really surprising funny material turned kind blah nowhere near entertaining jeff stand keep attention span turned video quite simply could watch half way turn could bear watch way entire show series like wonder bombed badly quickly video nothing like stand routine love jeff video show justice wasted time turned first five mistake done better try one love jeff cast however stand far superior defunct series normal stand better watch short time thank seriously never get back plus side could turn walk away say title really want buy really love heck jeff unfortunately new show actually second season another review comedy central going keep jeff show gone funny seven first season watch watch less fan work would buy would purchase former hilarious keep laughing watch even though going keep avid fan jeff hope review way thank like like old lost something actually funny maybe something divorce enough walter gone funny silly guess avid fan bad deb would rather watch rerun stand alone show show good good prefer stand comedy going world show people easiest review ever show b r n g get wrong stage hysterically funny however fell short humor shortly premier high based upon cable first episode left unfulfilled may watch second would still pay see routine live jeff tried make great stand act funny situation comedy work show funny sure racist bit much good ventriloquist always jeff variety great funny unfortunately concept work family four love watching jeff watching watching first series jeff show us kept funny stupid plain horrible choice subject matter poor first exposure jeff peanut walter would future wait totally avoid jeff show comedian entire thing audience away personal comedy club level acceptable music fake laugh show went hell case since entire show based upon come new material come new come visiting real people warping obnoxiousness humor sake funny let forget w r denigration overt racism white nothing short criminal see race people really planet stuff funny end rope perhaps seen format old old stick works jeff show comedy central offshoot jeff live familiar walter j sweet daddy dee peanut seven episode season front audience goes clip real world trying interact people watching show format similar show would interact audience introduce go clip sketch comedy sort way however difference jeff really good public audience supposed believe real people talk example hogan set peanut date peanut eats laced allergic date put see dancing people shooting like think funny show probably work enjoy magic previous live show format everyone ability since ventriloquism easy always potential start cracking much making mistake arm falling would increase hilarity given bit taking live quality format everything could used many finish scene impressive done spot also written funny anyway concept jeff show great format work brand comedy effectively bonus behind making joining also funeral jeff smart enough know one universally due talking cute voice temper include comedy central unaired sketch sweet daddy dee character even remember seen jeff apparently wear lots chain slang cut scene sweet daddy dee helping get rid group singing attic yes attic turns singing group save still like sound music abound good choice cut show live often especially often laughing stuff goes wrong getting stuck funny much felt something forced thought good right bat let say love jeff crew always look forward new come watched many times comedy central appear well seen em enough times pretty much turn sound say walter j peanut rest gang coming show jeff excited hear news forward watching well fair watched entire first season jeff show first season decided would watch second season ever came total disappointment show yeah show come know love comedic spark like jeff kept show first season something would click would start comedic genius come expect jeff never could see watching show course like show possibly problem show made jeff live front audience could interact people best jeff improvise spot happening performance best example think special man audience suddenly got go bathroom well jeff walter field day made comedy routine moment produced special get none jeff show show script include jeff main strength comedian ventriloquist addition past lot humor politically correct never bad thing one reason lot humor directed politically correct never meanness behind jeff trying belittle anyone insult politically incorrect humor try get us laugh take everything serious certainly lot politically incorrect humor show great deal harmless thought times thought meanness though sure jeff intending come way way took end would recommend show even recommend ardent jeff fan include stick watching true genius jeff comedy funny lot show would watch recommend love jeff brought comedy special show watched terrible look cheaply done flat people flat please jeff find site funny guy talented material work par watch stand time laugh streaming face watched entire first episode show laugh like jeff comedian hilarious however think show good content times overall nothing like stand barely made show removed rest disappointing series understand show one season sad like jeff straight gay first skit mildly funny really thing cool tho jeff cheap knock high even though seen many time husband never laugh never cracked smile say enough crap live stage much show formula show compare stage better stick really works sorry jeff love jeff amazingly talented love think know walter great series flow love jeff jeff series make situate work first episode seen original like either great talent adaptable series one say jeff show bad mean jeff act subsequent show hold candle love jeff comedian ventriloquist career since early saw act live three times every one show none magic whatsoever sure jeff thinking comedy central gave opportunity like trying give kind interaction real world way back day however think catching lightning bottle think jeff anybody matter catch magic articulate nearly well even peanut show put situation lonesome maybe good paper execution lost everything made jeff great work best feed banter puppet puppet master comedy golden get show polar opposite made act famous first show wondering heck going concept jeff show knew would tricky translate stand act show format know would worked talk show like jay leno put jeff desk peanut walter next get laundry list let comedy go wild heck even taking streets random people would lot better set complete series sorry new seven running around total also get like previously unaired sketch behind blooper reel really wished jeff would taken talk show route something put jeff crew place beyond stage oh well huge fan peanut character completely disappointed lack anything funny episode even peanut really enjoy jeff watched first show season par comedy material likely watch st season badly put together format jeff first one think funny nothing new worth watching actually turned bad cause stuff bunch sex nothing better could try harder work guy surfboard already know show joke dear drew made half first episode turn continue watching little much sure real life issue please watch bit waste time many go watch many good put curious title drug enough sex need get limelight course drew scoop clean rehabilitate maybe work sent timely manner good condition funny guy little risque taste product locked use region previous jeff open bought three use cause live region area damn good day received give error want play player jeff talented hilarious needs new material old everyone script word word even went see old material already seen need drug gay racial stuff funny without stuff stick comedy leave stuff would much better still get wrong jeff funny needs new material leave drug gay racial stuff walter peanut comes new new cleaner material said show beyond belief bad actually remember watching first talented person like would come crap like even die hard stick stand much deserving time money thanks nearly funny hoped watched many jeff worst entertainment pretty flexible comes humor even ethnic politically incorrect understand joke watching shut ultimate insult get exactly problem jeff humor get find funny universally insulting race ethnic group degrade funny way best luck audience everything include watched jeff comedy central assumed would believe one apologize love jeff tape awful love jeff stage disappointed show funny half time like something missing many good jeff legion everyone one worst ever displeasure lay upon even slip plug hogan need say jeff amazing act tube previous live jeff show must admit love watch still get except special special able find good enough simply whole thing staged fan want see live performance first place sesame street sesame street seriously different joke story adult problem find joke funny enough make laugh much first two jeff overall found big jeff fan jeff talent see stupid want see jeff perform live front audience without cheat sheet course please staged sesame street fan jeff long time usually caught television decided order couple seen jeff show disappointing say least interact actual people mistake great stage watching jeff show see show disappointed enjoy stage waste time watching important waste money seen couple jeff one live excited people see could actually hear lack laughter humor come like jeff early current stage know vulgarity humor stage every joke like funny stand better pretty disappointed actually public gang like real dumb would nice put player message came screen saying could area unable play send back would cost thanks ken loud jeff previous especially spark insanity jeff show really shocker high left wondering funny lot jeff material gotten crude inappropriate lots racism stereotyping point line times disappointed jeff resulting type humor us army funny hogan going date peanut allergic reaction food snore plus obvious promotion watching first adult film instructor serious rent free local library spending money thank later really jeff saw wa last year really upset family show obvious line act nothing really family show really moron talking comedy central hypocritical call family show call poor imitation south park known irreverence everything really much better jeff way less time character trying hard funny short time trying funny sex well funny lack interaction jeff show people enjoy seeing jeff peanut argument jeff talking jeff trying keep peace walter stop trying pander president color solely demographic lose show also comedy central jeff need focus sexual jeff continue pander type comedy might come please please please think comedy strategy sorely needs happen whatever superhero least saw time gone locked away fortress please bring back vein jeff lose lot audience one many hope act know people think stuff good adult comedy found insipid childish best people stoic boring find humor walter lady doctor nothing situation funny stupid therefore felt stupid jeff would much better would form show jeff could develop additional play hope imagine show weekly comedy show maybe jeff home environment additional stopping jeff sense humor people obviously sorry review positive one feel disservice people like good comedy writing anything review tried enjoy love jeff stick stand anyone please afraid ask happy answer bought every jeff say one disappointment funny humor definitely key par known probably bought since purchase watched twice lame period much else say think lame lame lame lame lame lame neve saw dont saw could rate rented first thing movie note saying music cure official release cure onto banter self absorbed people think hot stuff cure way back rest stuff knew already watched via prime cost anything terrible compressed sides top bottom giving cartoon look got past impossible get past acting say bad horrible understatement language describe bad would better pull random people street handed script told read cinematography clearly never got past grade certainly never went film school doubt ever seen camera life prior gig story script horrible well given subject matter could basis great film saved else wrong unwatchable five tried skip around looking something salvage nope happen challenge actually watch entire movie plan therapy rest life acting decent plot score everything else make halfway feel guilty lasting long movie made movie mean movie terrible quality like watching fuzzy worth money unless sort thing recommend shark enthusiast looking forward seeing film subject new even though video quality poor struggling watch movie really could enjoy anything movie believe film quality determined film rental complete waste time money told everything read original movie back much better story line background island would bring back lot used live luna park h class already know truthful movie fair fair fair sister love show bought birthday totally forgot six season telling short season came back season much get full season regular show waste money search little harder buy cost let happen show awesome price crap could give zero much language taste reason bought suggestion episode breaking bad one worst ever seen watched first episode gave away find scatological vulgar sex humor funny like written plot read consider want watch something good get breaking bad start beginning first bat rating low handling condition received show funny crap sincerely believe everyone watch show ordered got great time inside case disc holder broken moving inside one disc become edit version miss lot funny put get wrong star show awesome version remember broadcast trying may made say thank god fast forward plot lots crude behavior taste think could great without unnecessary gross behavior like one singing song bunch birthday party funny must somewhere description see language disappointing previous two really premise really disappointed execution narrator although perspective narration flat condescending irritating movie group fool hearty seriously condescending much potential yet disappointing subsequent work wild journey new guinea quite good waste money movie nasty horrible worthless one worst every made movie erotically entertaining thought would waste time money dud big time grade b movie acting poor also whats singing bad rent one waist money movie best left desperate entertainment waste time money delete video tough time watching computer fight less story flat descent humor nothing special original like night comedy club good needs work weekend material one understand premise attempt make entire movie big twist hard watch simply ineptitude writing acting bad force finish saving grace never came production value even hard time whole thing inappropriately laughter surface perhaps farce irony thing though even work farce like one star give zero bad well everything like b thing would movie fifteen thing catching bad picture quality small size picture watch inch screen stopped watch movie recommend watch movie paying want watch movie like actress bought despite fact one star review thinking maybe reviewer little patience definitely wrong really bad think people took home video camera along talking front totally bad way rarely take time write feel like warn avid traveler far age love documentary especially bad worst video experienced video making becomes democratic rat yes rat watch wash visit burial site act like horror movie several long really long little useful information want money back got stop watching anime part always top effort worth time poor acting poor lighting poor photography lousy print said war department presentation produced cold war must admirably meet technical political expediency otherwise accurate outline film neither tout righteous would expect telling adequately portray duller logistics fighting war earnestly explaining apart original combat footage fail see every post war documentary really much going entire air war building air field hard working ground occasional dropping atomic bomb war end oh taking presume kind battle air support air got bigger give two occasionally interesting footage purpose dispassionately explaining easy win air war watch russia good movie like made wasted money title entirely blood supply polluted alcohol disease forced rival fight control last clean rogue known priest stop sword slayer whose age unfortunately caught simply unable carry action terrible right poor film really literally blood gore though effects may crude extremely effective budget director jay also several ambitious small production impressive car chase desert interesting premise praise since rest film typical low budget plot goes nowhere acting expectedly bad real enjoyment comes watching slice baby head b movie much much worse live evil base entertainment best carl like horror disagree previous film waste money since cost rather like older film almost stopped several times watch something else decided since already may well plain lame special effects awful recommendation looking good vampire movie keep looking semi engrossing little mystery thriller finally turns horribly bad shame cast gifted movie stayed track end could decent thriller somebody decided clue wrap mystery tried trick audience stop middle audio film know older audio past silent film times word case awful seen quality bad cell phone thought maybe would better instant video wrong bad honest watched time around story bad acting bad quality bad sound bad bad zero even disappointed rare thing indeed movie incredibly hard appreciate kept trying remember therefore pass even classic core although easy see growing watching caliber video game love kung fu suspend everything watch want development like skip acting terrible could believe wasted time even view watch garbage plain bad movie waste time title unrated rating would lead believe awhile get going actor silver easily best actor movie really funny replay value close level pie sex drive movie good based really fact based drama cover title imply something like horror movie looking traditional horror tale look elsewhere huge martial movie fan excited old afternoon excited watch movie extremely long swim meet unfortunately got one star first fight scene loud annoying singing throughout time unbearable great martial movie form star training big fight none movie fight uninspired fight scene passion conclusion wait shaw brother make list save money one another movie could watch definitely b c movie waste time looking world war pacific thought might got six gotten far except went glass water made huge mistake pretty much martial film dialogue worthy b grade film guy wearing little effort made wardrobe department toward authenticity heading towards gratuitous violence write review next go watch list hope come something better formula rigid show feel also dislike presence clientele point view professionalism curious see show line work watching two grown picture grainy acting great story decent quality due bad old movie would considered flop movie thought shaw classic temple instead comment movie watch minute two hoped stopped watching one include jet li sorry general try usurp throne staging coup extremely song dance number female try help prince get temple since way seen quite survivor one worst slow give much insight film train passing black white barely audible voice show work son little jittery obviously meant older terrible movie sick plot violence billed comedy even give anybody opinion annoying since eleven necessary complete review waste time movie completely far fetched made finish watching see would none love seen movie acting far fetched write many movie deserved one watch alone nothing much else one may never find scene worth laughing actor good movie near funny got mail sleepless finished watching watch anything pretty much figured could funny enjoyable film seen basic story husband leave younger woman career crazy woman allow leave head flowerpot wakes duct chair decided leave great movie make suspend disbelief without even realizing spent entire film thinking wonder leaving woman psychotic blink miss ending home end want help timothy find way witness relocation program nerve home invasion element story especially awful light fact screenwriter shelly brutally home invasion script finished guess never would let go like really shame usually like movie little weird fifteen film kept stopping yes know supposed turn even stop problem calling help either cannot view film entirety point plot able sit entire showing hate valentine day thought might redeem wife week home serious moonlight could go wrong age thirty adore guy still find easy big mistake part seen trailer seen pretty much film offer husband tell wife leaving younger woman might believable unless wife find trailer leave house certainly funny right well amusing five unfortunately spoiler alert stays tied almost rest movie ridiculous unfortunately home invasion also shown trailer way writer come story line make home invasion humorous say watch movie sort light romantic used make going disappointed bit twist end might easily miss blink provide somewhat justification gone say satisfying one neither movie one pick like one stuck wife choose watch together uneven tone dialogue felt bad scene supposed thought provoking maybe even shed light absurd previous made us laugh shake timothy almost entire movie duck tape like movie done swelled like blow fish movie trash written produced demented people like since waitress fell flat us inane top turn half way guess odd one found rather stupid sorry think another word describe decided fast forward come something would interesting funny good thought get got even ending supposed guess juice also difficult see always messing face pathetic somewhat creepy story found movie really odd yet watched end thinking would get better quick review would patterned witty captivating play probably could worked movie witty play work pretty much level help unlikable especially timothy character literally screen shut f f retard reason character hanging character sorry league said boring tedious non climatic even usual without character wit funny first fifteen absolute bore rest waist time money inept scenario never thought much talented actor like timothy would accept play lemon beyond informed husband thirteen leaving another woman every self respecting woman position would head duct chair hold prisoner till comes thus hour half forced watch two self indulgent one cheat raving psychotic thrash relationship tone grating mean spirited long ready send hostage team bring end suffering despite presence bell long key serious moonlight directed written late shelly waitress fame hopelessly endlessly dark romantic comedy la war albeit without courage film ending guess supposed every spouse idea perfect wish fulfillment revenge fantasy even fantasy going awry end setting sadistic tone sheer unpleasantness make excruciating experience sit one point speaking audience like torture astute example built self criticism ever come across movie get first reason bell never took real silly turn silly large quotient stupid well may ended good put hour quits two one star mildly wife plucked romantic comedy queue one unappealing movie recall even happening fun time making fun everyone involved turd even provide fodder make fun pick fight serious film head astonishment serious moonlight romantic dramatic remotely funny please spare lazy oh dark comedy get dismissal favorite film network dark comedy first comment made wife yes soldier movie idea normally discount people specific reasoning going surrender hypocrisy normally hoot creatively carve truly movie overwhelming feeling serious moonlight even deserve effort spoiler alert one exception premise wife husband doggone much willing physically knock unconscious twice tie twice violate broken broom handle times allow beat vandalize house made one objection would anyone find funny even dark comedy timothy reversed guess way prove disprove would possibly turned halfway least found extremely unpleasant ho ho guy wife tied save relationship guy beat tied squatter pants tee see point whether put much stock film romantic comedy thought magnolia knew tricking chance thing make dime bo thankfully rating steaming pile even positive could sympathy screenwriter film way pay tribute care snooty think consider staggeringly low box office us receipts yes twenty five thousand three hundred twenty nine ranked mind low fairly new film four recognizable harry met sally still ranked home clipping could beat given right marketing campaign hope long got front take percentage gross wait second thought back end deal would gotten deserved hey guess every movie ever made someone god life experience prepared enjoy serious moonlight maybe someone enlighten serval booking date still within date said used like new completely cover broken many disc bad condition action theme traditional afternoon kung fu good however movie part two combined one movie story consistent good action movie thrown together far fetched silly slapstick couple stolen year old movie glad golden age film ended quickly comedy slapstick taste old age juvenile humor past prime temple one teacher main character watch want see tiny waif quality really bad would recommend watching smaller child hold interest road ersatz feature film stiffly bud pollard four bing short made mack would make bing pollard shorts straightforward collection shorts style highlight reel instead pollard recut footage woefully misguided attempt build story footage rise fame studio saddled sorry mess title ad campaign people thinking new bing film thing pollard none screen talent common except bing matter two shorts even share director result cast setting completely every action kind hard follow times bad news supposed act like movie single story fan golden age shorts make road worth original state road hand interesting actually screen unless born yesterday really old stuff really passe worth time forget really poor worth watching bing fan thing worth young bing old style movie somewhat amusing due amateurish production acting photography waste time unless poor plot action par flow plot acting ability cast supposed new copied many times could hardly see constantly think original one series produced us information agency remind really also keep mind many millions lost got war narration virtually every facet actual story take thing put away got audio quality terrible video quality really lackluster saw funny honest poor audio horribly funny randomly click anything else less waste time tried hard made audio horrible make anything said making unwatchable like someone hand video camera would great able hear horrid least live audience good time rated star picture quality done poorly know movie old story line even close scripture video give depth view men lost overall high level involved kind soft informative depth b rated get via streaming time utterly wasted script must film school student first attempt writing hard believe anyone actually top video transfer quality poor ghost know receiver since last movie watched hour crystal clear waste time lousy picture worth effort plot waist time find anything worth watching show without penny name thought man forget drivel since talk full throttle controversy violent story gotten old saw felt like throw look away plenty truly disturbing disgusting really care profanity found funny bit racist much nudity sure back days used look got old change filth heck looking turn like mean heck thinking put crap together love old hey different say want look something going offend heck point take watch old show great ordered never able watch show fact dont even remember order yet bought section want refund since never got watch digital copy back ago honestly wasnt visit times year cause dont much money spend entertainment much crass cartoon even though adult adult found embarrassing watch way top nudity first many stated show rated reason simply put also review redundancy fact premise show thorough detail opinion show feel like true modern successor classic show take adult aspect show make really deep original plot example episode help full twisted psyche titular character almost uncomfortable extreme brutal murder episode end however said show doesnt sadly becomes lazily written generic gross nearly pornographic mess given complete creative control say least guess worst part later show want category overwhelming majority entire collection really recommend help doghouse blues man best friend pilot episode original show respectively show chance naked beach frenzy nearly pornographic aspect show mistake quickly airing final verdict buy steer everything else show entirety worth money k make pretty great one actually rented movie mistake trying watch good movie thing watched mistake watched horrible thing found unique film crushed beneath coffin seen forgotten title made right theater mainly show number better navy victory sea cover pacific war far better waste time like better night man beast snow face seriously funny line like w c watch entire movie fatal glass beer funny works running gag snow face every time went outside got old fast gave free waste time even get part pan scan transfer source bad film wish wide screen poor quality abruptly screen part eight next beginning digitally take class story good acting good video quality horrible looking movie sept ended documentary primarily newsreel film disappointing old theater black white clips pasted together create longer story offering good want see people watching news seventy ago ugh nothing good say old hammy awful time would better spent watching grass grow typical film era average two want escape watch low budget film along many would fill bill otherwise personally give miss sad true real bad like someone high eight video camera feel old film without old movie quality video really bad actually zero star poorly low end war movie seen stop especially war deserve better like need honest goodness waste ninety pitiful piece love nam even bad piece worst knew problem colonel rank insignia helmet black subdued silver single fire fight amazing movie extremely inaccurate blame actually like even bad whoever directed horrible job waste time old movie times think go list else say waste time spent watching cancel normally little bit better job acting one acting amateurish quality transfer took back days really bad abuse enough stick could watch love old kung fu grew one woody kick watch everything script awful never thought gilbert bad actress much good bring agent whoever production thank goodness got free prime instant video really really bad hackneyed stereotypical made movie gilbert terrible bad suggest watching like k bad much better cant get excited pic leaves much know anything really disappointed news clip movie useful footnote movie hold attention disconnected footage bunch ship gon firing version firepower low resolution washed video quality poor quality beautiful scenery one main movie main attraction sophia able shine poor quality like martial older heat hold interest watched less half really comment met morgan many ago always fascinated presence television known movie finding instant time foreign mess list morgan featured star one serious misrepresentation take break pause miss morgan pause let bad flick finish without sit film uninteresting little saw film play much role amusing comedic whodunit one frank role better bob hope one scene auto driven robin particularly reminiscent hope passenger casually arm cold face corpse lying floor awkward adequately convey surprise funny many seven clustered together one quote album crush dwarf hand pliers gather around everybody stay camera austere prop budget unconvincing inhabited people stand sit sideways perhaps keep screen petite miss reporter salad bowl hat one dimensional immediately bothersome leading lady material clothing chapeau obviously cardboard hold attention plot one long hour penultimate movie best w c story give sucker even break screenplay comedy slouch picture forgettable fault lie director al cast perhaps combination cause maybe however conglomerate exception minor film noir illusion deeply point wallow mediocrity studio incapable around time film release absorbed path thus never know brilliance bankruptcy fate protagonist voice like plot way somewhat inconsistent annoying dialogue annoying ending annoying glad program make regular series point kind woman would even consider marrying grown man knowing van job think bit weird still virgin day age always wear sweater murderous gang truly silly pilot laughable interesting document give thumbnail history war pacific although apparently produced end characteristically knowledge jap fleet midway shrewd guess admiral reality contribution intelligence understandable considering need protect really learn anything already know interesting see real film clips time history poorly done think mostly old news clips bad video quality coupled inaccurate one worst seen movie historical interest person rent movie fact bad movie bad narration felt watch whole thing rent movie however watched preview disclaimer original music authorized background music comes generic stuff comes stuffy host little put explain us bam preview ended weird life first cannot believe watched whole movie call cast variety young older think movie none shred acting ability little plot could understand good bad summed earth girl help k good never saw fight pathetic lot movie sort particular resolution end good escape captivity end nothing bad happen bad guy bizarre crow ware black wore silly style plastic sure worth two see possible would post review anonymously admit even watched like b f movie one star way give negative number camera mean make movie one everything bad production bad acting bad however cute thing like made written yr old maybe video teenage neighborhood film nut professional movie original fail good neither plot bother dark sad may interesting unable handle dark film watch like poor quality cinematography mediocre plot performance movie thing good movie title fact movie son pioneer always great well love old try might make end would rather watch rio bravo guess age something would never young fun hard watch feel like trainer dressed like karate instructor napoleon dynamite basement hopefully enough money buy food cat footage rented toddler monster trucks turned glad wasted three year old love monster trucks searching came across thought great boy wrong rated figured harmless simple truck stuff nope bunch drunk people running around bikini little truck action turned may great young man rented son big mistake otherwise steaming pile crap free want money back great spent much time trashy looking much trucks mostly loud music worth crap spent hard dollar poorly made surely year old grandson half necked read first three year old monster trucks video bikini teaching lot want know plus bad bad bad cinematography audio awful glad spent rent buy son monster trucks finding video watch demand find one available watched poorly produced amateur looking video clips monster truck show ca video much bikini clad monster truck footage wish come rating description video would video demand screen would known appropriate son short many educational excited monster trucks year old laid flu monster truck video video search monster truck selected family criteria like bad teen looking cheap thrill juxtaposition trucks video waste money monster trucks better burning video son monster trucks suitable young full close disgusted video want see bikini order waste money year old son monster trucks came across video search worth purchase like shot absolute amateur monster trucks like picture front really car show southern music obnoxious bikini clad awful purchase movie tip looking monster truck video search monster jam get actual video footage monster jam watch box channel much better purchase something thats questionable read worst truck video ever seen worth spent year old monster trucks warning extremely inappropriate anybody age anybody say mechanic age would want watch beyond come make one friendly awful terrible little boy monster trucks little lot mostly naked string trucks film quality super ghetto wish could get money back didnt even watch would give zero read description better rented young monster trucks little trucks whole lot young little clothing turned less looking watched prime unwatchable wasted money buy iron man good also give money back thank minute sermon practical time management would known find free place topic practical help daily schedule buy wish could get time money back wasted even thinking watching mistake soft core culpa never order film search looking mi loca movie selected however movie returned search screen repeated search thinking selected movie error case problem selected movie incorrect movie herby refund removal movie selection queue also search old however take inventory rented movie listed real feature film set bunch douche acting stupid little rent think real feature film set false advertising refund money thought movie set look way clip would never rented clip loving like especially centered gritty world adult entertainment spit run world title watch stupid man preaching actual tales good ism could find gentleman made film would love tell good use thing sell living piece watery stool hopelessly disgusted movement hypocrisy among brotherhood gospel faith justice acting way least know stupid blindly something may worth however stop people seen thanks oh one star able leave zero time life murder decent story line production really pretty bad budget must main character pair pants throughout movie equivalent reading harlequin romance novel like love movie something look laugh high bad really bad acting wooden amateurish low budget production skip wish forced watch would get better hour half life never get back watched worth movie plot kind stupid acting amateur like story line tired predictable acting mediocre would see movie ridiculously bad movie seen polished junior high play stilted even actor stiff full amateurish really bad camera work might almost bad enough funny right mood delightful story predictable background interesting digital piano music slow moving found palpable good beer something else watching cutting quilt good story long slow moving decide looking poorly made scenery nice rather guess people learn make somewhere nothing objectionable low budget sometimes predictable plot challenge watch movie stare ahead zone movie dragged slowly stopped watching hour although real plot plodding moralistic reason low cost rental really little low budget atypical mess sure even got two another viewer watching practice regret even wasting time one irrational ever made maybe men jealous still make sense really resolution end among worst ever seen uninteresting movie couple recently got married treat disrespectfully extremely jealous friend comes us stays jealous movie waste time spare even stream free prime membership seriously shorts probably longer let big fool short done somewhere back around weird make absolutely sense favor skip one sound track guess great movie deaf figure ward beauty worthy least one star movie could tell within proceed cheesy got quickly plug dont waste time know turkey pretty quick one gobble gobble within movie everything needs calling n e r deserve life school cool guy bunch fall flat nearly everything story line cool guy geek champion selling jock leader test jock stop paying paying anyway cool guy list wrong jock mid term jock revenge never spend day admiring talking wonderful beautiful even acting dating brainless idea jock belittle every turn especially bed star caress trying ignore female finally get clue catch naked together blanket walk meanwhile plan party talk giving money throw recruiting drive throw party end really thats poor quality acting even movie keep throwing dire bad happening nothing ever happy ending even epic ending party pretty much lame movie nudity mildly comedic adult movie slow make lot sense time waste two acting terrible movie real slow would recommend period opinion though see well hand vanguard consistently put worst cinema offer one description say even would help story awful acting even worse snail pace film quality poor uninteresting little like film agree like someone copied mean literally copied even realize wearing famous loud yellow suit someone movie pointed muddy suit brown horrible even quality decent overly loud music mess shame book taken favorite time would thy knife sharp final rubbish period piece may one first either made worth watching fan either interested evolution poor quality film able watch poor video poor audio poor script poor acting old black white print video fuzzy blotchy sound unclear real story line could make painful watch could get whole movie sorry film quality terrible visually unpleasant therefore switched else want like movie sound film terrible fuzzy hard hear turn volume far noise uncomfortable still hard hear clearly always trying watch see tell actually life insurance scam understand said name us well baxter musical director disappointing low budget obvious vehicle leading man even get mess much holocaust made sense bad script logic even stupid ending even pretty scenery rather pay video go pay large soda chug fun afterwards watching fair seen guy action convincing rolling around dressed truck theme everything see make someone qualified investigate much boot see anyone video even remotely smart enough even come seeing long drawn series hey look weird dumb say anything else moving want pay couple watch check jackass want spend see genuine paranormal look elsewhere want spend good reason watch video good luck well lead man kind half bright creeper like someone find basement beating even stand listen mute pretty sure watching even waste time money matter watch presenter really really really obnoxious needs cut chase stop waving arms showing find another way call low budget b movie would kind war like looking island shark reef gon happen captain think smart enough give commander silent agreement therefore space range knowledge run wiz order giving machine way home mysterious signal couple denigration alien deter know alien order giving machine colossus project take come unique corrective answer success times worry matter movie probably go colossus project bad quality bad theme great back government film industry cheap vulgar good renaissance late movie definitely part old junk recommend trash b pass one found possibly worst movie ever made insanely terrible script horrific camera work one plot completely nonsensical shot sound like microphone tin fight wooden obvious choreography every bit acting star bit completely ludicrous give lead forethought virtually every action movie without premise director thinking went along bad bad bad super bad indeed massive one song lemon must see enjoy scraping bottom movie barrel pass one god name end scenery cast style everything lost vote end god name pass one wished fan little saw movie hence rating disgusted product course language realize offensive seen cho funny one times swear demonstrate sex bodily waste ridicule order funny something wrong bad bad bad bad want back one fan mention really bad several cho spent running time making simple political felt like hour half watching cuss whatever funny fine simply stand comedy suppose different style painting felt like watching oil painting acrylic fact many times even put water brush heck need even save whites work dark feel like learned anything except might looking different approach ie oil movie year wonder never one compare movie definitely top worst movie better comedic piece direction deplorable story line predictable save money spaghetti movie copy fan produced finally found one felt wasted time watching fault crucial understanding story even last movie making junk fan bad dubbing watch like every character whoops every watch otherwise avoid dog description man male child wife one thought would want pay discovered boring husband one lover husband wife discover sleeping husband oh yeah son movie care story line ended cut opinion good movie found rather boring repetitive like genre like movie like plot someone else may like type movie good ending beginning person trying learn paint would find another video rent buy artist nice guy good advice want become better artist need find show mix colors set composition still enjoy painting trash first thing say wow delivery ordered us standard fee got telling expect working days three working days later impressive service much mixed film star rating better thought cannot bad watching trailer odd like weird mix humour action main thing cheap seen many low budget short student people taking first medium film decided would overlook first impression give fair ability afford stop writing good reading plot inspire hope time potential agent jack goldwater running state brothel racially middle eastern man plane however man brothel rat plot help working madam try overcome political incompetence save day odd basic idea potential comedy built action zany light comedy comic dialogue even offer film powerfully fail deliver start script simply many offer nothing add colour add speaker funny dramatic worth terrible hard escape feeling people standing room saying content humour mostly fall flat one two drew little appreciation mostly simply anything laugh way care occasional attempt comedy presume wildly physical comedy two character together spitting make drunken think already none works much weirdly consistent tone speaking whole film brothel lightly comic fashion running comedy gospel song stage dramatic murder scene none work individually combination beside also feeling totally disconnected film really badly problem trying several hard consistent film hard bad work could see potential wacky sexy dramatic comic come together budget help seen much done less problem low budget amateurish feel film direction poor cast shot selection frequent unnecessary lighting maybe film stock give film different look within scene although worst scene scene musical score wildly classical zany music rarely action yet always present terrible technically perhaps selection almost every scene longer viewer feel awkward like hanging around far many gun range lots driving lots hard describe seen baggy indeed irony need h far long needs sustain cast mixed big draw poor never character badly first appearance wonderfully bad example quite relaxed chemistry shame script lynx stunning surprisingly natural wraith quite relaxed cool presence amusing dom way would better character could good beyond really amateur hour lots people first full pause say dialogue left viewer people feel natural although poor dialogue big part one point room watched brothel simply people ever could see point lady mess potential promising actually several smothered amateurish content poor absent action dull dialogue even tone place generally direction poor like support really independent remain one boldness today climate plus movie watcher aspiring try approach every movie open mind alas lady extremely poor imagine film either made couple thousand producer raised sufficient funds make solid movie channeled salary like media project eighth grader except consumer would likely produce far attractive looking motion picture kind hell movie terrible pointless straight boring waste time one man responsible fiasco desperate recover money away project trying fool unsuspecting movie thinking movie merit someone honest review movie remove honest review movie act sing script written write directed director direct crew sure point camera waste even penny watch terrible piece junk making space save money pretty much thing ever seen subject decided purchase video based prior mine wow video must great wasting watching help think must family staff studio apparently video want personal criticism feel somewhat lived familiar many shown video knowledge form opinion well covered difficult look bad video succeed beauty narration quite bit obviously read script obviously made amateur saying could better semi professional photographer would know least use polarizer filter camera cut glare increase contrast cover former resident believe people non interesting worth seeing people end like might key west concerted effort someone spirit make stay duration fascinating local customs fact even mention anchorage home half population many interesting historical guess trying say scenery wildlife getting within brown bear tour completely fail mention reality safe situation since notoriously unpredictable growing hear almost every year tourist got bear got close sure felt necessary spend cockpit plane riding captain tour boat discuss really beautiful interesting homer spit go detail best see shot anything approaching summary think best way sum feel video like dream trip made home video show family someone told video great try sell wife really scenic adventure video also made non professional narration much natural humorous additionally covered detail well best see amazing dont know previous reviewer watching theres female nudity outrageous sex scene doll even watch scan thought would funny funny stupid like many older late relate comedy excited see selling home current real estate market disappointed find video professionally produced hand text poorly produced audio poor decided stop watching video would recommend video anyone bad save money believe wasted time watch better yea need better undone amazing crap terrible acting even get first min make care bit flat boring yuck probably worst film ever seen foundation acting script good camera list goes physical pain end movie miracle made far b c finger stop button first would get better first ghost although cute like sweet valley high cheerleader type took acting negative nth degree made want punch computer screen reason rate one star b c second ghost actually character idea story line terrible overall waste precious time earth watching misleading piece crap could done better job living room watched never get back lost life could better spent trying teach cat play fetch like lot like movie get still handsome star star flow video poor quality bad ending would watch film entertain regret money spent intriguing plot character development lackluster overall unengaging entertaining cheap production even get movie stop get past bad acting give try nudity could make film even tolerable clear since direction acting horrible movie see first two accurate natural realistic dialogue spot believable movie heart purpose hell eventually watching eight party want see something happen much think potential never film exercise unsure certainly dreary piece work working way body work yes realize quotation works show glimpse talent one nothing even clear look ridiculously handsome visage sure film made shoe string sure young made seen film school interesting wish could find scholastic training found nothing press coverage move must good story right maybe tell story film never movie seen many wonderful one like reviewer stated actually party felt way party would found excuse walk away interesting fall flat missing element acting spot much would recommend acting movie story lame least part saw many could life movie around much found difficult figure story trying told waste time money rented thinking would joe life beaver city recognize public way reasonable expectation given film title think instead got short deadly dull segment long deadly dull explication various facing beaver amateurish work feel film class project perhaps scrutinize asleep rolling film attempt peddle product little passing mention whole thing left scratching head rent purchase dying know beaver ever fulfill promise become thriving community miss riveting interview two part trash disappointing start movie via prime watch see picture zoom pan scan version obviously intended olden days unwatchable bad unfortunately poster shown movie correct poster version grant lead actor disappointing purchase based false information poster incorrect made buyer beware many least somewhat entertaining one exception plot admittedly never large part bunch amoral vie treasure chest sunken ship charming performer role disengaged fact boredom disinterest thing keeping character really repulsive uncaring manipulation disparaging put pretty someone intended sympathetic toward assuming film seem decent though forgettable lively energetic fashion fun watch comedy pretty strained fitfully amusing trivia bit frank captain jack probably one feature two separate easy come easy go first made twenty one even film came considered good vehicle one worst deserved better genre understand bulk meant well done heavy poorly written comedy far often banana peel slip deserved better one musical talent far music written movie hot movie location movie good good love movie one worse wonder quit making movie industry especially take seriously clearly one could get dare put movie fighter justice fighter poor let rich watch many people nowadays food want us rent movie price buy nelson likely rolling grave right greed honestly ignorant think would want life story sold price tag dare beseeching name simply unacceptable documentary free see stood buy freedom think whole heartedly ask people rent buy price tag great nelson would never approve sick stop watching rape scene prostitute much sure film interesting like bear watching certain would definitely recommend watching one disturbing scene bother quite time express exact history remember civil war nightmare many choose ignore read toll b rated expression maria would recommend video interested type little else civil war search field military historical relevance slow poorly made film acting flash horrible attempt remake chuck silent rage one chuck better film ha bad remake great chuck movie wow like something high school made high today would make way better technically advanced movie hilarious pound director killing machine serious wish fulfillment lord realistic show play lot would play depressing could watch anything literally view know though service unwatchable target age show first got home school would watch sesame street reading rainbow show came excited see something meant little older could read well unfortunately stand like music comedy understand trying purpose even young girl confused plot sesame street always theme show always routine scattered people funny music bad grandmother thought give try see would change mind nope tried watch several different throughout run came away feeling way understand trying little better still comes lame production style language almost like rowan martin laugh hooked phonics like either either yes star cast seem enjoying comes like night live sketch show meant learn opinion worth accustomed watching ghost screaming little slow however think would appropriate teen young adult beginning explore spooky like documentary instead crew investigating site would good documentary could watch boring badly badly written badly badly made around bother one anything else dad bull dozer somehow hand dozer sent nut farm someone knew start full grown man home find mother finely married new dad right away leaves find new woman part time hooker call mommy house take new mommy sailor new mommy tied eventually around town end stupid movie even call half first episode watching drivel stuck end episode saw improvement never went back double take series made clothes hair especially production look like something one spoke like member maybe old footage program stuck time warp really kind dumb show mainly people appear low intelligence telling ghost let first say love paranormal ghost hunting show bunch boring heavy balderdash overly physics sensitive bring forth believable experience physics sensitive inflate build reputation better line praying gullible sure suppose take clown first show serious laugh act paltry dully humorous preposterousness whole making vortex release ghost could keep laughing think anyone done serious hunting would find silly disappointing video live title ghost tales unlike ghost program objective evidence even proof subjective video quality quite dull lose sleep one dumb stupid one boring ever total waste time admit rough w tomato man back perhaps would put greater historical context seen work first doubt chaos outer space black white science fiction parody wood grade love old naturally likely predisposed work least watched turns movie horribly made tomato man though amusing one foundational necessary watch badness must sincere wood revered b movie though occasional brilliant lost skeleton movie tough pull give credit trying intentionally worst acting ever yield desired plan patina film hero commander henry humble space station io moon spoil fun seeing space station even describe complex plan commander ray president shuck despite president stern warning commander incident dumping lavatory waste robot moon roll see lot double casting e g humble commander also delightfully sonorous professor horsehair w producer writer director also couple well get picture low budget although dubious would lot interesting one element budget really audio frequently audio bad almost wholly indecipherable one thing able even ultra low budget fi genre apparently mandatory global warming subplot case un space program rocket exhaust ozone layer practical upshot commander company cannot come back earth plot evil leader space taking space vulnerable time un let come home anti un element perhaps sophisticated satire film though mildly amused clutch cargo pseudo tribute throw tantrum given time telling going jaunt moon good luck thermonuclear blackmail volcano battle cow alien bandit w could outer space learn true nature monster scheme evil please note cow hand forgive misspelling technically hoof grenade still keeping good lot territory lot still get like one door door salesman guess lost taste despite quantity plot keep nothing nothing possibly prepare anyone musical interlude courtesy professor horsehair commander first horsehair signature tune baby got horsehair believe guitar goes prove musically versatile autobiographical io moon bongo never look music way quantity monkey moon space station bridge officer tickling moon goddess good versus evil finally lengthy fight scene concluding worst pie fight film history prison even hint amazing grace point say wholly inappropriate already film study lunar abrupt conclusion begging sequel say quite detailed misfire musically responsible much let form opinion work professor horsehair real standout vocalist sure watch end dramatic horsehair action movie good plot executed badly ended wrong without closure abruptly see breakup groom instigator breakup like bride evil say bad know good know ever trained perform casting awful even semi pro casting awful right one picked right none right whole casting need one hour movie would anyone waste time produce one movie movie time much awful one deliverance bad one good well first aspect video found extremely disappointing fact anywhere whole thing sure covering covered pablo anyway looking solid entertainment recommend lot even blow less speaking watch video probably go cocaine business either respectfully bought gift buddy really spawn kind stuff said awesome really looking gift really know much kind thing definitely buy guess star trek finally movie action real story great special effects nothing go actual star trek story line leaves nothing look forward think barret would one star rating give subtract get idea love movie quality great wish could file playback media center use ray cable box player pandora player media library standard definition file better nothing buy pay twice get play entertainment system another gripe sorely disappointed media center media center available technology use smart remote access instant purpose one box system film trailer new movie watching film thought oddly similar trailer actually movie would probably fun original star two primary first theme friendship main especially kirk went beyond loyalty kirk could powerful bad also surrounded people could place complete trust film superhero dark knight hero paranoid trust anyone like superhero film story know yet kirk yet furthermore want come conflict supposed happen conflict goes ludicrous motivation scene kirk goes ice planet insane point view normal person matter annoying kirk response psychopathic abuse power making totally unfit service non insane thing would put kirk brig realize reason used setup plot device would get kirk meet visitor planet without knowing best could fired early second main strength trek franchise particular acting style star trek last refuge old fashioned style acting commonly seen old black white fake classy best star trek plummer mark lenard marc yes able use star trek give masterful style reason many star trek point let say line thought never anybody mind character kirk shown type common many contemporary nonetheless everything innate greatness effort develop cannot describe irritating sneering face film actually way kirk original series despite reputation rashness even show supposed man man always great concern crew whenever red shirt kirk would always make least token display sorrow understood involved also put least care kirk primary satisfy ego impress one admittedly funny scene dorm room extremely unsympathetic motivation starship captain kirk characterization film merely different original series actually worse kirk supporting better get little screen time guy quite good sticks closely original character anybody else voice well almost entirely catch best character overall unexpectedly something hack screenplay sexy compassion emotion film film extremely hyperactive set design like might visually interesting camera shot see going reason action create impression confusion instead action time thrill see see actual dexterity end film took much time two long film ever two aside kirk pouty lipped pretty boy character film lot time villain star trek usually good exaggerated drama couple exposition pike like barbarian formerly worst star trek film dank atmosphere ship really thing long even contain fide space battle many frenetically kirk father dramatic farewell wife dramatic farewell mother maru test showing absolutely nothing give people money want star trek wrath khan want action flick oh one thing explanation federation society live film one given pike federation humanitarian armada anybody mention exploring galaxy enter kirk motivation something deeply wrong knew completely saw enterprise built land farm field kirk hey man making academy like scene starship cheap like bag talcum powder exploded face even laughable original cast version helm maiden voyage enterprise scientist everyone angry hole studio though show cerebral like relax whole franchise match pointless loud blow obnoxious transformer joe starship trooper special effects near summer real star trek fan know movie star trek movie directed someone star movie like similar star movie also made people star trek pathetic crew roughly age garbage sense got together nothing annoying cheesy role real grew know love man like big sissy star trek ruined dumb gene must rolling grave crap every time young writer hold established franchise first thing make wholesale name appealing younger audience mean younger audience appreciate established franchise unless suitably consumption yes flashy action filled exciting piece mind candy long remember special effects forgotten completely perverted break also obvious know science care black hole rip space time continuum solid object gravitation field powerful enough suck everything around light thus giving appearance hole must turning grave watched star trek series start finish star trek movie magic made star trek inspiring horrible acting comedic movie though produced movie great special effects story line easy follow problem sound level kept intensity remote hand movie special effects loud wish would keep sound level constant ordered movie box cable connection considered high speed hour movie connection basically stopped video choppy basically unwatchable ruined date movie night also first hour like poor video resolution definitely clear said loading movie fantastic poor performance network delivery mechanism ruined experience trekker whatever meaning fan old series one old could stand see change future history go toilet new new ship new effects awesome totally dug thing movie funny engaging awesome action movie star trek long shot main thing star trek concept future bright bright racism life provided worrying food heck wasnt even money future greed jealousy hatred almost non existent original star trek universe root effectively dealt one anything one back realizing dream quote challenge star trek future improve oneself improve one society philosophy made star trek real thing huge certainly acting star trek hope future better taught us believe humanity importantly better military future imagine civilian life would like hint future gene movie almost director confused thought star trek universe one starship star trek future reality grim life fair even good future star trek without hope instead captain everything violence star trek script fun special effects story forced beyond recognition make everyone fit old necessary alternate universe many jump six pay getting academy impossible disbelieve space ship enter planet atmosphere let alone land planet built planet chief medical officer academy name two accept parallel universe different different hint idealism alternate reality still reality even also fantasy reality unfortunately star trek indeed die gene culture worse used blame rick see visionary cannot plucked hat hired paramount direct movie movie success expect banality paramount violence sake mutilation one man vision saw star trek movie last night stand alone really good movie part star trek legacy horrible slap face every fan original star trek subsequent spin movie supposed supposed show us meet come iconic many us grown actually made us hard enough get different beloved way ray mark love child kirk ginger kirk ginger might well play magical dead say urban damn fine job obvious new portray tried go open mind let story take hold follow actually quite good detract enjoyment film story good movie fun exciting original series miserably instead giving us showing actual beloved j j decided give star trek universe used time travel accomplish problem instead giving us shaped lead original series completely cop create scenario completely ignore entire history franchise instead creatively fitting story story usurp whole future alternate cop j j interview memory alpha even know love world star trek make brand new thing time embrace honor come hell sequel could easily post voyager crew deal new completely unnecessary destroy original order create new go new said flap butterfly wing another continent could effect one life alteration past could enormous present future planet important planet star trek universe kirk captain kirk ginger enterprise enterprise internally left side captain chair romantically involved actually destruction save kirk accelerated promotion captain also abandon canon look nothing like go back time kirk first human see balance terror set least ten encounter red matter come better name substance golf ball sized amount amount power destroy planet use destroy everything according star trek comic book series movie red matter science academy went back time science academy exist therefore never red matter thus voiding ability create initial black hole young ability destroy ship red matter also upon destruction loss mother young character would dramatically would cease exist ginger kirk would met delta movie would familiar name would past real would exist real longer gave us three may remember made away something hell jimmy erase c po memory senator discontinue army rose challenge gave us whole new nine star enjoy except end return lame wrote directed star trek oh damn movie star trek actually pretty good really care kirk ginger actually day walker anyway part star trek horrible lame cop way want take classic without follow set lead crew u enterprise never goes seen boldly go going boldly go never went thus voiding original series next generation deep space nine voyager ten animated series countless graphic also virtually entire canon blasphemy urination grave gene figuratively course ashes space anything disc function properly get view full length sorry ordered ahead simply put worst star trek film come recent history star trek insurrection look like winner thing going movie great cast extremely well props quinto spot however story plot whole awful bring complete disgrace star trek canon one thing villain awful supposed act way human fact completely star trek canon forever awful move make frankly gene alive making film would made sure never got past screenplay stage one look script would lit fire another thing love tryst going downright awful ryder mother another bad call fact another bad call also kirk onto ice planet finding elder also c mon much coincidence another display terrible writing lastly dare even use original theme end shame honestly know even consider making sequel decrepit film clearly slap face star trek known make bet stopped star trek received much flack destruction star trek canon film pass one stick came feel sorry today generation youth load get watch satisfied wished could watched warning j j huge slap coming reason simple swore wife ago ever discover actual name behind camera shake slap one needs see film like frightened tourist film volcano perhaps biggest beef film shown documentary actually shaking slapping camera shooting key along glare stage lighting big innovation camera quivering vertigo slap long film let us speak find even remake much less homage though flawless talented beyond description en evil waste starting film history shifting time traveler everyone everyone love original series said bloody brilliant move star trek franchise apparent end series enterprise miserably one control intellectual property star trek felt sort dying era taking place right right film us fate distant future elderly angry since apparently responsible home planet surviving faction especially nasty leader go flying backward time forced along behind appear kirk born wait kirk father captain starship nasty ship kirk father bloody marvel disgrace event us parallel universe reality thence film going boldly wished elderly mission see task fall kirk course meanwhile alternate reality trick goes stale rapidly along mother screen time rider young entangled enamored little faerie damned good beaming people anywhere kirk rather gay looking idiot part time drunkard rest clan essentially involved truly innovative brilliant film cannot pass without comment de jimmy never rest many people still remember happiness pain loss yet along whatever one call cannot fathom could agree star else could play prime advice purist see curious adventurous sacred cow kicking fan see miss fan head director j j like cinema sake see one felt bit cannot begin imagine might thought desecration normally write especially negative trek fan like disappointment science wrong unlike star trek science least somewhat based reality physicist shooting quantum singularity middle dying star keep going supernova like bad idea first problem supernova star run fuel core singularity would suck rest fuel killing nuclear fusion star would eventually fizzle like dead light bulb might prevent star going nova star dead dude time look another planet red matter wont save planet eventually black hole produced would eat star suck planet well second run certainly wait make special kind singularity third know might true go ensign captain stay crew military works lastly simple revenge story even better plot star trek voyager acting special effects great trek fan steer clear one certainly hope make subsequent better scientifically sound two star trek ultimately saved franchise wrath khan series performance star trek motion picture new trek intended series ala casino royale first time trek series barring syndication keeping series alive khan raised bar high trek follow new trek simply floor degree two mirror plotting revenge federation specific enterprise crew patient enough bide time right enterprise must face enemy alone terrible doomsday weapon meant good twisted evil ultimately kirk must navigate successful strategy pure logic raw emotion charting winning middle ground biggest issue new trek like much pop culture today crass tacky like forgetting get sort underside glimpse trek never really see kirk check skivvies check tongue wrestling full mouth kiss check kirk apple maru retch kirk perfect illustration tacky new trek classic kirk need drop pick every babe came contact confidence strength character decide drop lap tail chasing exactly type superficial behavior twenty nothing music store today man take command class naval vessel old kirk cocky confident quiet know need say kind way new kirk worse actor one regard unable show innate confidence instead shout audience every opportunity maybe character modern times good change tacky superficial ship full rebelly goodness kirk rebel got criminal record starting car theft rebel punk slap culture revered rebel interracial kiss enough kudos original show first trod upon taboo also affair federation let alone single starship even function many running around also deal technology intended good get warped evil differ greatly treatment however khan genesis device much significance project power alter power dynamic universe even coming direct contact discuss technology exactly good fi question new trek red matter cause black plot device something loaded onto ship rushed movie need action new trek sort fi around fi used add special effects non stop action action moment may end seeing body want scene kirk apple maru nothing draw attention dramatic two new trek khan several maru kirk refusal accept win situation even parasite brain stem yet mirror counterpart new trek shadow pretender throne khan something accomplish successfully even fi rich theme mere story khan dealt seriously screen subject old age passing torch new captain kirk son never known khan surrogate arms even nephew starting apprentice engineer also kirk someone fading fairness old cast trek came close high mark help new trek legitimacy constantly point much cousin even best khan always shall friend desperate hope emotional impact khan somehow retain meaning among raw sewage handle new film certainly trek bad none vapid loud shallow film soon completely forgotten possibly remade even younger idiotic cast like non stop action without social raised old young become like old guy coming parallel universe people understand want anything may good action movie another one lot forget understand idea star trek new done instead coherent script really write first half incredibly clever fresh come know love astonishingly well cast however amazing setup becomes star literally entire setup thrown away villain gigantic death star ship blowing away kirk team guess blow death star young little ship death star kirk applause missing goofy baby star least nobody captain believe take obvious franchise try graft onto trek next jar jar time warp yo un film star trek un star es star de la original un cantina un falcon al star star trek lo era movie great extra disc disc like comes mail silver label minimal printing movie movie really pay upwards two disc set extra many fit one extra storage capacity bought version care digital copy ultraviolet whatever enjoy special making used come along movie felt like something left like got way advertising fact actually getting product could say disc movie could say include special firstly mostly done appalling call paramount yell learn nothing mess made enterprise show first star trek since original make whole run time fan base ravenous anything trek make television show built still screw wow hope whoever charge somewhere unpleasant wont even discuss example much crap even new space action movie would still considered absolute crap yeah forget star trek part long need say ahead generic bad guy huge powerful time traveling warship comes future save family past past target sort finally strike weapon cause center planet thus planet nothing else happen area space ya know like would orbit apart sun going nova brave crew escape jettison engine thing ship go would basically telling crew die might well accept getting rid escape captain hero doesnt want leave failure losing whole planet movie crap beginning end galaxy size galaxy million plus happen arrive correct planet times correct planet random plot suspension disbelief confined one planet fan even though success cant fathom good opening lousy follow every single project done felicity yep life much magic go back year screw life mostly even different ways less comprehensible alias whole thing plot resolution first story line cliff hanger nonsensical second lost divergent abandoned well sort except right middle movie hook found footage thing conventional camera back convenient poor film making fringe interesting hooked went action badly written drama stopped kept even talking first conceive reason anyone guy money without huge control like actual story basic overall arc story start next night every single thing either abandoned someone else try finish middle got vocal keeping money pit lost going could conclude properly talent storytelling first bought star relieved meant screw see dont drivel going make original think radical way make mess people still go star title know photon zealous review next life defense creator similar parody sorry evil kirk made say get life live long er prosper eternal paramount paradise please lifelong truly say want see star trek series continually rich forever influential run retire like top performer instead excruciatingly bad form revival lesser backup use whatever entertainment sports metaphor want knowing quit latest silver screen incarnation franchise star trek may seem like flashy superior successor since technically kick look hood find inner wear tear vehicle riding almost empty tank trek specifically something set mostly starred tired looking ceremonial color guard duty old series crew little overall star trek simply signature morality play clever allegory elevated every series almost every movie action thunderous adventure destroy semblance subtle everything trek literal tech young kirk crew come across even bigger machine star trek time series fleet fair weather trite tech retire great extraterrestrial creator philosopher man gain world yet lose soul appreciate captain kirk star trek god need spaceship make carry around constant copycat lesser caliber like star trek although movie especially without appreciate fact movie shown fox evening next time friend absolutely crazy excited finally found quickly nice condition case perfectly fine long also voice however never able test since never worked one something completely work worst birthday gift ever plan product soon hopefully dud film modest need great satisfy indeed pleasantly wolverine new star trek wolverine satisfactorily brilliantly filling back story universe star trek simply matter altogether rather trouble actual creativity immediately escape alternate flagrantly usurp several previous fi trek star hey say sincere form flattery finally pasting together something red matter mysterious substance seemingly gray matter extracted film inexplicably enthusiastic audience countless derivative script perhaps film seen last handful would otherwise haphazardly added cast perpetually drunk red bull curiously unlike enjoy shameless inside film several evocative star one already drawing prevent confusion two two primary reason able coexist long meanwhile little anything film plot ever reasonably magical red matter one way one moment another entirely later villain crew done two half need certainly group untested particularly juvenile behavioral immediately seniority told one advanced ever made break rather address film simply distract frenetic applied cacophony shaky gratuitous fight shallow hypnotize film make feel deep terminator dull thought experience hard work personal sacrifice mean nothing new star trek universe masterfully today audience constant regarding duty morality vision better future faster warp core enterprise result simply insult intelligence summary nothing space identical monster lot j j gene grave thanks opportunity roaring applause found movie wally world bought see cover found story line apparently teeny juvenile audience many action mostly getting authority shop worn theme time travel bit thin poor known briefly pitiful always thin point emaciation sad see aged wrinkled bit slow uptake juvenile self guy cover stilted lack luster delinquent kirk shown stealing totally wrecking vintage corvette bar reckless cheating academy poor role model surely would embarrassment family would surely star fleet command even academy flirty interaction al gross distortion character sue writer al glad put five piece trash franchise legacy sure exciting masterful special effects hardly garbage bought would surely ask refund recommend anyone especially die hard fan movie first far streaming video rental connection able stream version movie extra however stream watch lower quality advice stick streaming substitute ray never trekker much time growing able ignore entire franchise time age intimately familiar since star trek mid movie little star trek culture know little less yeah lots insider lots part saga worthless unless sequel kirk getting know first loathe one several thousand happen planet future stand alone movie barely problem young enterprise crew even homage star kissy face must shock value made flesh crawl maybe much youthful pop culture star trek fiction th review movie less three old star trek dead last laugh way bank glaring thing want mention enterprise suppose look primitive super high tech smart trek suppose buy somebody future go back time time period give future ship use little kirk older revert back ship enterprise like enterprise terminator series better sense difficult time watching violence killing right bat extreme watch past torture life star trek way done way people kind told go detail plot cast creation simple point low audience intellectual standard become star trek made teen adventure flick franchise become anybody people like enterprise supposed surpass watching film feel like something dear since trek stood intellectual stylistic diverse storytelling kind slap face gene brainless teenage flick without heart reinvent trek properly come trek future loathe next time find cinema seat even hope one day stoic honest militaristic approach subject matter less teenage influence taken fail see target audience st supposed st always meant intellectual exercise current fi setting show unsympathetic like pine kirk riding motorcycle sabotage background one ever sing rainbow better garland play dirty harry group ever sing music good said one ever play kirk better one ever play like lime never lemon wolf never lion change name movie something else rename left like even look like original star trek original star trek made back make special effects look like effects back going make movie based life going put car drove back science fiction movie goes star trek movie goes garbage garbage garbage know minority finding movie abysmal failure many see needless say effects top notch video sound ray release save film deeply flawed many ahead weak story time travel occasionally interesting often gimmick would seem gimmick used justify significant star trek universe always known see value home kirk father mother kirk service prior becoming captain tend sucker sappy stuff business kirk born father sacrificing life save much even whole corvette scene ludicrous well whole first part movie waste episode team planet black hole story black hole black hole object space massive gravitational pull strong even light escape movie completely disregard black hole really base script premise black hole black hole actually hole one fly ship fly ship black hole ship become crushed added black hole mass bad stylistic movie lens flare movie apparently director really lens flare added virtually everywhere scene scene scene view people space times lens flare window looking almost constant effect taking viewer experience making obvious watching something lens call old fashioned like level camera camera rotated slightly seem like gimmick unless story related reason otherwise stupid set bridge enterprise ridiculous everywhere ceiling floor stare computer display shining graphic upper glowing light one big light box cannot look anywhere room without shining ample opportunity lens flare add absurdity louvered floor level like one would see theater essentially desk navigation helm need desk need enterprise starship enormous look like part chemical plant huge huge nothing like expect see space vessel alien ship ridiculous build mining vessel look like kind medieval torture device cavernous pine portrayal kirk overly arrogant direct move academic suspension cadet made captain fleet ship laughable historically good star trek kind moral message lack even semblance moral lot action sound visual effects fast paced scene fi action flick star trek film opinion tried overwhelm us style notice serious lack substance hope another star trek movie one better story better character development need rely heavily special effects listed darkness ordered thinking titled recent star trek movie two previous star trek first franchise excellent star trek expressed belief better future combined morals adventure create truly unique series fast forward couple people want less dialogue character development action add generation paramount produce movie nothing like original television series popularity movie testament fact today society action star trek alive cost plenty ran speed test tried get come format better line doubled sure sort pipeline seen video come doubt anything specific movie written yes got right bumblebee pee guy prime saying bad also dialogue bar scene might belong smith movie star trek also felt need undo forty continuity movie much wrath khan star trek first contact got emotional would gotten along well kirk loser drop scum rebel like fool enterprise bridge like store cast like teen drama someone space call trek trek feel star trek ruined felt star mind onto new cast movie television series long keep true made show special example new came fi first little skeptical decided give chance see could surprise decided employ technique new star trek starting believe getting desperate first let talk though admit director selected cast old think well anything script beyond cheesy hard believe several movie like example test kirk trying pass completely kirk scene would probably worked kirk serious test gave smug smile bewildered instead director gave apple eats apple taking military another scenery though staff done pretty good job bridge enterprise worked ship complete mess could tell also would think would open enterprise engine room especially set nothing inside brewery radioactive label tank add insult injury saw one two per scene engine room hello radioactive material make ship fly better yet inside could least put computer inside show even warp core would yes original star trek warp core engine room top biggest problem theme every previous star trek film dealt theme human example star trek one support v ger guidance trek revenge khan wanting vengeance star trek value friendship kirk ever took get back star trek desire home crew main objective return home even though star trek exploring person trek people fear trek desire family make difference star trek first contact revenge wanting destroy borg unlike khan learned error ways star trek part history forced land star trek someone someone star trek clue learn anything make humanity show us us human kill bad guy save world star trek title otherwise effort really made focus plot story call something else call star trek bother people idea trek mental capacity understand original vision forget ignore go use someone probably movie top ten time list soon enough forget go back mind numbing fun remember highly likely people never even read book idea good storytelling type people make like idol one top v state entertainment country expressed three bland generic predictable thanks course world addendum k feeding trough responsible went back watched movie free still garbage story everywhere even make sense within context background tried find something good found switch v used prime streaming without however last night tried stream star trek said low stream stopped used wasted prime received free digital rental loading got notification movie free never could watch issue another free rental well connection sure work stream fine never contact since free rental feel like messing stream player boy know start pile useless tripe well first made star trek family franchise get wrong saying cannot watch older series together sure done make franchise even non like work second pretty much completely wrote star trek universe fan original series like see mean add going mention awful cannot fall love right wrong fall love becomes little whore way star trek part scheme make family franchise wake j j another complaint obviously original cast either old deceased get even try save guy save guy pretty good rest pine far whoever even close whoever disappointed well bottom line fan original series subsequent series love next generation well steer far clear abomination star trek fan though much self respect squander vacation budget attend convention well movie see first baby young cast would take fresh star fleet academy confident star fleet wisdom work new new time authority experienced could learn came become better come find universe would never get chance find maru scenario actually went original series instead get see fresh school save universe destruction seriously really part script honest nothing left braced disappointment friend mine made support background think would seen day one flight via watched expectation disappointment disappointed probably care see ever like crew lost past forgotten never admit fan lost work nevertheless brother long time star trek went cinema open lot excitement special effects battle especially intense date however left cinema shaking wondering show point form need style great character end movie new buddy totally getting thats right always man throughout star trek supposed level head captain kirk also eject kirk onto ice planet totally character something emotional dangerous character completely wrong even watch trek next important planet next earth federation character completely careless selfish throughout whole movie kirk great humanity love crew ship passionate risk taker damned fool wasted character great actor see movie chopper could brought intensity bad guy get handful stabbing someone reason constant dizzy blasted used keep camera still second could get got shallow meaningless movie dumb product placement old trek weak acting made sick disappointment could best ever trek movie huge budget decent instead sexed point star trek exploration actually another really bad movie lost space movie lost trek star avoid movie black fill screenlike movie aspect ratio find way really looking forward seeing star trek bad feeling something right people know really look feel like star trek feel way violent space exploration continuity thrown people responsible making trek popular gone rick gone gone em gone oh except really glad final time let get actually film worth trek basically took dump past even last series trek j j trek h l everyone else go enterprise completely inside seen next generation enterprise old look like look like bridge n bright engineering low tech century seriously deal look futuristic relationship wha kirk loose cannon follow command enterprise week old enterprise built field earth space dock mother plus father apparently accent original series first shown mystery even knew little one pike doctor originally honor goes mark piper also helmsman nowhere around speaking pike original unaired pilot episode enterprise board space quite pike said tired lived enough ya sorry negative like said continuity something thought one star trek everything connected new everything come likely drastically different exist thanks lot paramount evil alien star trek universe opening nightmarish alternate reality summation plot j j trek franchise new turkey motto father star trek well take heart get right day team lack experience franchise given fresh perspective nope simply experience know keep discard film mainly excuse twenty reprise familiar latest pop example film focus everyone romantic fashionably getting pierced though supposedly fresh dialogue actor groan signature expression giving er got doctor supposedly fresh include young kirk wild jerk something old even dean gave try well original trek reject temptation call opus star trek directorial effort star trek v yet sheer commercial callowness script shocking qualitative plunge evident hate star trek begin grew watching cinematic constitute recent action fare star trek screenplay went draft second film something evidently closer level taste one example name losing almost everything recent divorce save understand nickname derived sawbones money federation musical score maddeningly repeated little ditty emotionally rich cat food jingle production design nightmare turned abandoned power station intriguing alien vista power station actually brewery van like power station bridge look like inside juke box almost equally bad church prominent concept designer star new enterprise simultaneously unimaginative poorly balanced ugly two good film greenwood pike well done fight atop big drill cumulatively worth price admission plot film also kirk cadet captain one fell swoop trek universe motif given virtually went theater good rendition admired since watching original series back came away thinking wasted money director think people like appreciate quality original series short knowledge like possessed director portray kirk reckless boy young people like today way young young studio made series explore character individually instead spending millions movie imagine anyone star trek movie collection director poor job technology sequence relation original series leave rating zero form let buy would colossal mistake sense admired series quite time star trek voyager fan foremost star trek movie series compare captain seven nine doctor u voyager mission think since star trek series need necessarily think making hot young kirk really revamp series think another star trek movie perhaps based another crew besides would future star trek well voyager new frontier new star trek movie less serious silly less scientific necessarily bad series needs accept general audience new premise really star trek something original concept star trek star trek done make new fi spin star trek new creation movie entertaining yes yes star trek would say something completely new different case longer star trek film utter garbage complete filth never produced first place acting terrible people familiar captain kirk seem like cheesy night live rather actual star trek fan really appreciate paramount royally screwed made star trek air quite time honest star trek best television series beauty television series past st blended well series set tone formula star trek works addition continuity example star trek next generation made sure keep storytelling style original series continued original time kirk instead star trek universe gave us new care consistent original series star trek fan honestly say every star trek film starting star trek motion picture set tone well direction star trek science fiction franchise star trek next generation continued storytelling style original series along deep space nine voyager even enterprise later cast next generation also worked consistency television series series indirectly connected formula star trek speaking star trek think star trek attempt make star trek think mistake made certain audience star trek example written science fiction audience action also message within story goes star science fiction star trek star science fiction great franchise clearly understand star trek star exciting power hearts meaning yes star example traditionally action approach star trek action sherlock approach story case star trek basically director sending message star trek gene get right first time going shove star lite version star trek think truly mistake core star trek film fan completely think movie well foolish attempt franchise jersey shore generation sad thing good deal people mostly non star trek like garbage well people claim work industry true star trek right thing calling star trek really impostor insult everything star trek bottom line true star trek fan film going disappoint really want continuation real star trek universe hopefully crew stay far far away star trek franchise go back real star trek universe leave cast crew work next reality show otherwise true star trek consider star trek rather star trek cast nothing continue vision gene future disappointed movie disappointed order darkness ship two days ordered time seen theater seeing first one made think want second one follow like old series another point want bought problem quality shipping older star trek like new younger larry mind review coming someone could care less star trek series went along see really first forty rest film rather weak care maybe science fiction least favorite genre say acting well done good bravo rest film well say seeing see must get lot film fact sure blast normally care much pay option say movie good though little selling flick advance sort potential sell may marketing ploy sure enough way even close sell live days ago people bet opening night audience much mark film several usual spouse couple ultra violent special effects superhero seem common days something either us would waste time film music away cinema always turned volume exciting music scene kirk hero little born switch jimmy speeding antique corvette sting ray course sky cycle riding robot jimmy car cliff edge cliff holding car edge break childish scene one might expect silent film one teen hero get time academy preoccupied ladies many resist predictably noted right taking everyone like silly bad cowboy movie enterprise ground idiotic interstellar vessel even interplanetary vessel would built orbit vast majority vessel bulk get orbit ship build ground film challenge attention detail remotely realistic story star tales film fit historical realm star trek viewer suspend much belief allow much license medium music continued blare scene scene another trait adolescent special effects superhero saw paper show biz column couple ago young people today await film big good await blood action little substance got film aside film loaded might call star trek series met fit historically even sensibly trek series one whose acting fit original urban even little worn predictable requisite sex scene sentimentality particularly completely context trek series pointed jimmy star fleet academy faculty administration made captain star fleet flagship enterprise even graduated yet suspend reason second excuse used time travel forced suspend like second grader might flick worth time unless like action silly superhero seem vogue today real one spent fortune silly superfluous special effects first exposure star trek saga urge see star trek movie star trek wrath khan khan standard star trek must measured new star trek movie claim inspiration wrath khan would like think new update equal masterpiece unfortunately must report new star trek nowhere close star trek quite contrary pathetic mess screenplay see wrath khan cannot understand talking new star trek imagine original series young beginning casting director well choose bore resemblance original cast claim fill back story past right initiation academy federation actuality opposite take idiosyncratic chief medical officer actor lot like young original comparison hardly story humor original character enough idiosyncratic charm new star trek character reduced buffoon chasing kirk around ship trying inject hypodermic time get know anything take original cool consummate professional always enterprise tough way technical opposite unprofessional overemotional embarrassed kiss numerous times planet trying cope annihilation six million people make call class character mimic accent original character make different improve original even worse parachute like platform oil rig kirk ridiculous fight bad thought potential supporting least good nature original character kind disappointing must rely old give new warp speed formula new kirk like young charm original could done kirk early days earth especially showing future might look cop flying motorcycle peek future watering hole quite derivative check first star ford bar kirk rebellious hothead part original star trek lore humor missing new measure old early scene young group cute downhill problem kirk relationship heavy handed one thing show conflict two come un contrast decision disobey kirk command end wrath khan kirk noble somehow conflict juvenile trivial maybe matter plot high enough simply give opportunity display complexity relationship perhaps worst part new star trek depiction villain disaffected seem recall star trek next generation become group worthy federation last bald guy head snarl throughout movie contrast performance khan comparison new star trek clever beginning unnecessary tale kirk father heroism one tired battle scene another worse film new alternative star trek universe imagine entire planet would never happen hey supposed universe let like drilling machine black nice seeing role original sad see much actor aged contrary new star trek charm humor complexity go back check wrath khan best star trek television decide make second new star trek hopefully studio hire group better alternate reality kirk really really kirk generic punk name first thought watching trek v better effects except plot different also record saying never got star trek never star trek given number th wall breaking form scene borrowing e g telling character invent yet bug put character head tell truth clear got gaggle never understood trek doubt going sit find token surely tantamount plagiarism could made new franchise pegged name star trek onto paramount want take real film ways apart franchise name character maybe movie star trek anything approaching given name one assume got talented true maybe another reason someone give movie name star trek people want established oh product placement beer cell icing cake movie disappointing said like star would space great action humor good fact matter movie like star unsalt star star space space bottom line movie like like space look star trek space recommand following star trek first contact star trek star trek wrath star trek movie way warrior movie found fan collective release movie wait around tranquil person gaze go movie war movie much like like hard rock concert good old people didnt like didnt like part movie go ever another part come good couple attractive vampire scene interesting plot twist bad shot like stage play camera set capture shot left entire little movement via camera visual boredom also long corny exposition set plot ugly level acting male cast exception decent job cameo role vampire well made feel episodic story nothing even particularly interested see first one worth effort bang well worth around horrible lousy story line much better worst vampire movie seen may rate z scale e real acting taking picture dont waste time money watched movie didnt good story line effects horrible like little back yard shure six year old could better felt like waisted money nothing another cheesy nude film nothing nudist one solo nude woman beach horrible music said last review people walk pose nude know camera yet tanned tone woman oppose close shooting vagina unless forced film nude much scenery less nudity especially close new factory sealed possibly illegal copy rate quality extremely poor disc essentially unplayable came source loving may legally licensed company quality completely unacceptable checked recent listing film unavailable something quite right clear comes cheaply made player trouble love content excellent content open reopen til find right one nuisance ever use stupid dumb cheap arrogant opinion many may right irate movie scale million less typical b movie believe watched whole thing guess always get better kept getting worse realize low budget remake watched enough waste time terrible terrible movie say rapture plot without ever plot killing people major moving outward end except person person moron dessert shelter storm old shed eventually people come way door represent people life bad side start dying shed reason bad plot end everyone outside storm bad plot bad acting one ladies gentleman wish could get money back bad rented movie love fi one biggest poor quality person home video camera could done better job plot around leaves reading script wall emotion whatever leaves wondering sorry boring movie go work income tax something productive stupid low budget evangelical rapture movie story line awful acting awful awful terrible sale fine fast shipping right opening seen tried clean marginally better stopped watching due freeze big blemish across disk hard follow would recommend tai chi sword fighting thought might nice beginner video tai chi truth first half tai chi silence second half showing basic explaining opinion found much better tai chi great video boring good monotone voice interested watching someone go pretty music one dialogue nothing except gentleman going bother found video useless far entire sequence make difficult see happening like fact control speed foot work useful since found far helpful use video get better idea start tai chi minute introduction host life video finally got actual tai chi explanation emphasize movement really old boring better science date information people looking win ugly sweater people like sheep tell universe flat people anything person group people think smart wish understand like dialogue absolutely nothing bond horrible two sitting talking nothing least bond bull say cash bond money train interesting worth cost admission rubbish show incredibly boring hold attention point author clearly ludicrous nonsense drive point disappointed show presentation well organized clear headed near beginning video couple briefly could read even though watching apparently reference material never used later video rental fee video watch week watched enough good description bose political life little still nice historical movie horrible decision dead water player bane probably huge begging people tyrannical reign fail bite hard documentary blah blah blah whatever yawn film making crew decide turn improvise fi spoof result lame amateurish incoherent mess rare funny love south park would anyone pay stream official south park site stream free could barely watch show loud obnoxious brainless ambition earn meaningless sole intent egotism former girl scout member take great offense plus child psychotic bad movie wife natural disaster one would go theater pay see nine year old son tornado movie twister rented bland waste time money poorly made film plot instead producer supposedly struggling making film introduction thing intriguing bad acting sexual content enough information really documentary footage movie looking would made historical film regardless quality video would acceptable point desire watch film would get truth would taught said media instead made cheap film story person titled normally write kind bad thought rented film story resident new brunswick east brunswick area event took place high school always felt met eye story fact female four male two made hard believe one trigger always favored notion given two considered one likely shooter film confirm suspicion shooter also pointed surviving trooper perjured lied suggesting may shooter albeit chaos event think trooper may responsible back death day responsible miscarriage justice towards typical law enforcement reason cover ass shame still lie still seeking pin mistake woman course guilty level participation event certainly clear trigger person great story poor presentation wow horrible movie clearly part awful scene led believe vanilla shallow vapid guy taking play scene storm thing taken movie horrible image definition everything movie hideous type movie display reading two star movie wonder saw film one watched unbelievably boring downright awful acting mostly terrible well let say year old daughter done better job cutting together two kind cute absolute best thing say whole film think movie billed romantic comedy neither honestly sure great big dud believe rent hour life never get back positive note give snaps trying enough gay kudos trying think needs try whole lot harder waste money one terribly disappointed absolutely nothing better afternoon watched film writer star director editor beautiful enough carry film movie poorly directed jump worse saw super film ago college class see something promising performance every fear little stunning good thought really stupid although usually like odd humor python genre stupid find funny least anything stupid sure age geared pretty mature turn much fairness anything death race title really appropriate shame reading come batman somewhat friendly movie horribly made plot bad acting around waste time know made worth watching b movie bad camera work horrible script want good gory movie watch one kill want good exploitation watch star portrait serial rapist want wast money life get back watch movie overly gory real story line found movie lots though good rape scene awesome gory best scene even though know rape definitely bad thing movie made great weird creepy way buy like snuff like lot gore grade movie expect great hate fact help look movie two different personal opinion think may view personal opinion movie hot garbage without doubt one absolute worst ever wasted hour half life absolutely nothing even remotely whatsoever two movie every single character die insanely annoying killer least original cheesy plain stupid dialogue acting par worst ever seen entire life understand low budget seriously awful movie goes lot like bad acting bad acting nudity rape rape bowling pin bad acting death nudity death nudity bad acting roll sure think get may true thats fine want get matter fact ever want get movie bad way point view would making backing difference movie like hostel million big name movie industry formula shock people naked blood painful certain male body like hostel like might actually enjoy personally like either movie really wish could give zero star movie stupid ridiculous endorsed acting waste money shut anyone interested taking free charge even pay shipping actually bought movie based couple likely positive came narrow minded think type gore matter bad great horror movie sorry director seen better acting late night soft film great violence death scene great rest film boring script written f word nothing else got annoying f word every second never seen movie many f script written punk high school know create litter movie f would say rent movie see death cooking lesson highest rated video mistake huge waste money bit really short give feel move would seen bit choose chef lead short quite gel film like said bother forgot saw soon seeing let see need done would probably want watch entire lesson initially realize watch hoped anyway stupid unhappy big time art instruction seem come two let show paint watch paint unfortunately latter instructor several technical one found particularly glaring discussion building tops curved inwards look camera lens notice building curved like true think actually curved inwards see looking normal camera lens distortion optics lens architectural use tilt shift allow remove distortion author case result perspective simple mistake another problem video author clearly trying copy photograph make great used painting however reality one simply trying copy photograph almost unwatchable digital poorly also felt even though good artist instruction current art instruction example art instruction taught palette reason practically every got little video experienced artist might gain something watching paint would probably lost al video poorly felt style humor instructional quality catchy title long boring video little instruction entire first hour plus still nothing recommend could watch music loud narrator soft voice background noise believe actually form one would think would easy fix turn music turn narrator bad like really interesting subject background music strong impossible hear narrator stop entirely annoying extremely interesting subject poorly virtually unwatchable music completely narration nice travelogue style video pleasant music informative one looking depth juxtapose five talentless undulating pathetic attempt sell sex magnificent beauty island unfortunately little well fact prime streaming free inadvertently actually pay low brow mess though cost resent every single penny cost shame deserve better prime prime production plain boring cinematography poor quality really show anything would better go depth couple rather showing several saying great would great without annoying music dominated presentation gave stopped watching old boring even finish boring format presenter bad music bad waste program short sound mix dreadful repetitive music narration point miss much information aspect ratio picture quality poor sad could interesting documentary made poor production prime might want watch free recommend spending money conscious decision include video narrator speaking vocal track sound video occasional gust wind bad music sound metal struck free video expect clearly lot fool shame permit fool twice reading fairy tales small ugh listen longer even though material interesting old video someone needs version update hate main monitor sleep sleep apnea awake night rather useless switched quickly day mode go bathroom many times alert enough push back sleep stage device used look total loss synopsis video send wife pedicure shopping go play golf eat new offer disappointed delivery delivery problem half way cut repeated several gave upset way use brand new apple pro gave one got boring free worth much honestly quality production horrible music split different left right stereo unbalanced unnecessary music narrator narrator meanwhile like reading history real interaction shown presentation rather interesting documentary first writer director producer project distributed admiration great subject ancient history extensive research documentation history lack sphinx statue part culture always mention mean every writing plateau mention sphinx construction would like first colony coming talking empire state building construction read book riddle sphinx thought reaching hat think made interesting one guy said found formation happen face rising sun accurately come would body weather faster head old see banding headdress around eye detail century weather yet body fine detail lost maybe explanation blame water erosion theory probable especially wall movie would covered left open air also outside wall along body sphinx though beg question sphinx weathered way many times mention new age normally people know right let evidence speak really cover new age saying wrong took two point wall say look water erosion moving saying new wrong deserve zero credibility anything lie cover order protect authenticate previous sealed research contradict hard time sitting film fact gotten back visiting learn found film rudimentary best fun see say basic travelogue someone thinking going would depth information shown history must admit narrator voice irritant video definitely target demographic well traveled culturally sensitive video good tourist commentary pervadingly simplistic culturally insensitive narrator essentially like uncle stop telling terrible exotic family vacation going vacation never video may perhaps helpful earnest person learn would recommend could really interesting put burning oil well example instead slow horribly repetitive even get first episode could even watch buyer beware idea oh well disappointed feature far brief cost video shooting stuff sports title bit misleading era maybe early show mainly skiing terribly interesting skiing really perhaps used fancy production cooking days one cheaply made narrative weak segment lady something really seem professional comfortable cooking bad sound video turn video could finish waste time perhaps would little way show geography troy scholarly material weak anti humanistic approach divinely inspired event took place many scientific evidence great resource debunk blatant conceal event flood like film tried make flood story real story gave reason disbelief another one sided documentary flood unfortunate produced intent money true research broken faith probably folk lore somewhat waste hour useful like flood black sea unfortunately nothing support word god documentary series great one awful us fly mean building technology specifically investigate mount find ark minor pet peeve lost expert second trip mount fell later trip beyond absurd mind search feel presentation expert far something clear somebody death unforgivable goes say faith drove pathetic say give sort scientific legitimacy dishonest immoral basis fact kind flood story idiotic ark none never period misleading used obviously one sided pushing intended narrative nothing dislike documentary begin laying supposition present conclusive calculative evidence instead push common narrative objective indefinite yes like data lens notion therefore entire documentary useless fabled loosely text fabled wish could say obviously done whose agenda undermine account incidentally commentator former astronaut interest finding ark actually tried climb find fell actually heart attack almost later fall question accuracy rest information video difficult find video objective days one start watching supportive perspective actually kind exciting way parade bunch screen absolutely confident account tale made wow experience public arena either public perspective use watch help see error world thinking try trick thinking taught fairy tale movie one sided sham interview movie extremely liberal abandoned commitment inerrancy even exclusivity long ago inherent one expert documentary hypothesis author genesis exodus authorship least four people thousand year span additionally fallacious theory first culture write story share notably epic written form genesis indeed true way stole flood story ancient strictly oral tradition prior write story prove stole many would like saying since black yes know armor white really sith master bent galactic domination white house cultural corruption really supposed death star little common farcical assert based story one however really global flood people earth post flood would three sons post flood spread fill world tried build tower enough forcibly scattered world flood real every one people would knowledge taken version since worship god corrupted story suit man made easily every inhabited continent world least one ancient culture global flood also quick point evidence massive flood really evidence local flood many local scattered world need least entertain possibility global flood evidence really global flood would find millions buried rock world even tops oh wait finally movie examine anomaly ark buried snow near top mount however never actually examine sure look year old reconnaissance satellite taken extremely inopportune best say tell never lead expedition actually go look point actually say ark mount could anywhere nowhere summary movie present evidence prove disprove ark anomaly talk chance spout ideological based faultiness scripture opposing pointed ideological grounded hard consistent logic hate care resort fallacious reasoning like movie take god word waste time video false attempt disprove account flood sorry buy nice try probably realistic insight world demolition derby problem world demolition derby interesting production rich area state done superficially best enough finish watching great mood mindless entertainment otherwise minute long advertisement find better time thought would name little misleading perhaps thought review travel area video vacation tropical place type video video short best important honestly mostly like boring commercial done much better whole thing ad taking trip never leery good pix want watch commercial pleasure island horrible waste time like made format want back extremely boring video would recommend anyone ridiculously terrible even tell people waste time tell difference movie travel commercial cite sell sell sell movie advertisement special go little short travel agency listed call end movie boring worthless hate wasted prime purpose put prime waste time even got video much waste time much look straight ad pretty worth time took watch title misleading exotic island singular poor quality collection different really interesting informative information could say produced well say would waste time poorly produced guide relevant vague incomplete many ways general overview useless disappointed recommend good worth time nothing interesting title like nice romantic look would want take special someone nothing travel film would gone travel agent travel advertisement movie must miss video sure subject title old film needs old encyclopedia flashy enough totally without clue might like visit could get information video beach vacation best quality free view something waste time like going visit really find ever make sure used twice different good disappointed travel advertisement dressed like movie movie would known watched whim total waste time yes nice good weak script like written like advertisement movie entertainment simply could watch complete waste time really old poor quality thing might save effort make hi sure going host collection exotic appear show nothing wine napa valley glad free waste time production quality abominable picture quality terrible content amateurish waste time material low level contrast presentation history ancient civilization lecture thalassocracy b ref digital video ie striking lecture good introduction clever warm presentation style depth knowledge well thought mention current something novice interested amateur buff presentation little first category nothing two perhaps presentation better fifteen watch presenter dry uninspired way really illuminate anything help viewer understand kind look rather outdated conventional wisdom dry fact fifteen ago sort documentary would role exist clear role sort video educational ecosystem find fascinating always eager good content half way video cut cut annoying content great great subject delivery great although factual presentation would suitable fourth film visual would completely title film become psychic show become psychic talk show interview psychic another talk show interview thats strange helpful never point tell anything would rented known show wish could get refund worst mistake ever old far people clearly mentally ill save money worst rental ever may compelling story somewhere documentary poorly organized produced impossible follow line men documentary talking like living room bar conversation information familiar perhaps assume equally familiar however like walking room joke told figure joke said interested enough title shell waste money summary totally low budget poorly produced quack u mentary high amount theory real proof story line need credible documentary needs organized order presentation viewer cohesive compelling story similar scary movie franchise near waste time worse nerve charge crap awful awful terrible awful finish even mildly amusing maybe school enjoy bathroom humor would like people say camera lying like cheap camera acting terrible entire mood movie leave uncomfortable believe wasted movie even worth free even watch movie bad even want think stupidity watched worst movie ever barely made ten die like couple made complete utter rubbish occult initiation horribly made top n movie nothing mystical music nothing kind code could return would worth time watch tedious difficult follow real disservice poe far book even name get different movie suppose original bela instead production excellent like sort thing great acting unique touch oh poe nice work poor acting like done couple high school waste time could even finish watching horrible felt like made movie horrible feel love poe would say stupid think works could somehow made great film acting horrible ugh want think great poe story opinion read allan poe forget low budget bunch king book reading finished instead wasting even movie sure many enjoy movie cup tea look stiff enough going encourage tough end waste time even watch whole thing watched ten sure enjoy movie one want waste time every aspect movie sub par like cigar store dwarf poe probably composed famous script never watching turkey buy movie must better classic mystery would see complete painting watched anticipation see painting ended looking nothing like painting beginning poor quality material would love see better enjoy holiday believe old much better sure think even current bob builder better slickly produced may appear could hear speaker beginning disappointed product rent series like watching someone home waste time money strongly would recommend waste time frankly movie much better first better camera magnificent country like new much better treatment poorly sixteen antique second good script writer professional director could used good editor well film amateur professionally done like two people holiday decided make trip pretty ridiculous could give would waste valuable time money seriously believe actually sat beyond bummed beg film please stop kind uninspired trash collective entire universe save one person disappointment film work done ye review super excited watch support local film movie funny good sound quality voice dubs annoying acting could wee better though par low budget seen mine actually like movie find funny care happening production staff able complete full length movie small feat sound quality difficult take level since quality level successful like book club would still watch another movie production company though poorly done poor acting poor overall glad free even price worth watching execution like cell phone camera standard low budget action flick would watch rather actual content way shot jumpy made stop watching way boring get much like documentary think interest maybe considering would influence movie high even low dashed one worst story middle movie lot stock footage used filler obvious director staff know little nothing military let alone known totally unrealistic acting bad even get past first movie top active duty member navy inaccurate movie comes navy production company even bother employ military consultant waste time one another seal team short action long story would trouble action adventure genre everything wrong movie interpersonal completely character real navy well rank insignia wrong entire episode supposed senator function absolutely unidentified also purpose mission clear acting like acting one nothing made sense like call duty stupid watch horrible sound quality poor bad potential good movie production acting would expect high school level love seal team would preferred better telling story low budget camera loud profanity finish movie interesting plot idea movie reasonable entertainment opinion somewhat embarrassment men really badge honor chose movie aware almost documentary type movie watch entire movie like format film good going get interested first watched min could figure poor acting list accuracy movie long driveway right beginning tactical deployment engagement movie stunk someone special make phone call get movie really bad better yet better time admit watching garbage realistic waste time movie watch cartoon instead movie bad get first min insult military acting horrible like picked random people street star film acting research many aircraft period tactics physics waste time generic slop nothing seal team desert storm someone nothing waste money time least bit accurate exciting hour half life get back huge waste time seal team title one find cinematography cheap poorly done clips military video something poor acting boring worth time much admire dedication bravery film justice heavy handed clumsy amateurish wife watched disaster many bad funny realize crew really trying make movie movie mockery special everywhere ridiculous travesty check see idea come together attempt make film random part movie sub dress whites would never happen point turned oh navy veteran shameful movie would take heroic instance history poor job telling movie even rate b movie status script maudlin hokey action unlike seal team action covert silent ridge real even none special know better director concept seal team hour half wasted time thinking watching movie favor movie terrible drawn full painful dialogue one worst ever seen camera work tell broken wheel camera cart pathetic work acting seen better high school use breaker fake actually quit watching break point lot quit watching one cake broke feeling totally wasted time life never get back negative would get based title movie think fair assume supposed one elite special earth impossible tell however actually watching movie team movement shooting constant yelling even get hopelessly unrealistic even look like let alone reason successful hire military making military audio poor plug pro able understand dialogue also many radio chatter background may inserted help understand hell supposed going chatter often unintelligible huge portion film together b roll various military aircraft carrier flight obviously military stock footage aircraft flight stock footage nice break garbage rest movie truly wish could give negative appear option yet looking film seal wear navy going love looking film army ranger brought board member navy seal team actually seal trident running around aircraft carrier deck push film however unlike anyone involved production movie happen seal enthusiast ever read anything seal movie going piss love include many terrible thing think get idea upside find cover art attractive bad acting bad audio bad cinematography look like left b footage cheesy military movie make past first without turning thing worst acting script waste time realistic many clips aircraft worth time bad acting file footage bad acting around make sense waste money one straight stick tee trash watch movie please regret high list military lame acting unknown substance poorly directed produced totally time movie like put together group project movie interesting title found story slow continue enjoy gave low rating give movie zero could total waste time acting dialogue bad bail first five waste time waste time one much better topic compelling enjoyable watch movie decent poorly way navy see men valor want see real navy seal movie well written action brief sub plot predictable watching better one star least kept serious name publicity seal team make quick buck movie horrible even consider b movie bad movie dead movie totally inaccurate needs burned totally worn incorrectly disrespectful military people film needs put front firing squad film high treason country poor around bad script bad acting bad bad bad interest never engaged start forced ahead see badness continued let seal team journey darkness titled seal team journey boredom worst movie seen life thus far piece movie remember film quality piece garbage awful shot clue quality cinematography piece trash curious watch film since fan military action piece trash saw terrible low class acting done president piece trash knew movie would waste adenosine mitochondria agree every sagacious intelligent reviewer gave piece trash looking high quality military film say x watch battle blown away gritty real intense feel battle film made feel like actually military gave piece trash movie seal team journey darkness must smoking something sheen navy movie x better seal team journey darkness lot generally respect navy various e g water pollution directly inadvertently killing ocean sea navy unjustified arrogance respect special e g green beret black thing training separates crowd herd say unforgiving mostly unintelligent military bring seal team journey darkness ball bed cried shame believe watched entirety untrue seal team let along team would never give trident army ranger training carrier hard training go make whoever directed movie continuity scene back truck trying save little back truck motion evidently lot camera driving truck extraction process use tactic similar leap frog use tactic heading extraction point shooting also toward end movie take stand beach would never water near head water water safe author director used way much license making film lot suspension disbelief make movie entertaining embarrassed enjoy film acting terrible story realism real navy inept would lose every war really really really awful low budget movie horrible acting worst depiction armed ever get better please seal team poor copy action movie us navy thought movie poor probably made shoestring budget one half star movie really long get going watch completely long start let see action least first min bad waste entire hour poorly limited story line like middle school video project waste time one unless cast crew nothing film good acting bad dialogue trite direction laughable typically watch read military low budget well written movie explore anything think seal military personnel movie story line terrible special effects laughable production quality plain bad believe third knowledge found could produce better would recommend movie people like waste two life watching additional hour debating purposely taste bad thought type documentary badly movie stopped watching half way film laughing head hell terrible movie terrible acting terrible movie deserve attention consistent gulf war thinking getting urge could even get quarter movie elite military unit definitely would recommend writing book writing book movie thought sure better one star time watch felt little much like steven continue past min mark pretty forgiving terrible shut regret minute investment like th grade film project even b movie like f minus worth time spent time lost feed much lag watched min said review long enough maybe painfully bad acting even worse screenplay made movie literally watch one watching movie even funded first place journey darkness alright waste time money take walk read book something retired us navy seal need say never make film truly right aware ever know never watched even watch list bewildered movie quit streaming watch tried several times never got pass first flick wast time got turned bad acting bad scrip air soft sorry disappointing act valor much better usually enjoy team action one sorry seriously director flick horrible movie effects horrible horrible acting rather watch old joe cartoon pretty cheesy movie big fan type movie seem click lot inaccuracy involved air lots fortunately getting watching movie one worst ever seen believe actually took time make movie boring little flow would recommend anyone one worst war ever perhaps worst military movie ever produced instead inspiring story subjected adolescent fantasy even begin approximate real boy much less elite wander montage flashing form backdrop main plot line team leader lost son auto pedestrian accident stateside spoiler alert team leader next alive like least give movie production significant portion b roll strung together cover fact military hardware set aircraft carrier flight deck like parking lot way suspend flight push flight deck even wearing navy another significant portion movie sometimes seen think movie mostly b roll would drag wait finally looking poor movie father dealing loss son trying get team story otherwise save time something maybe trim one worst ever seen even get past first half hour horrible acting compare b movie would give b bad name waste time trust poor bad language everyone wrong rank insignia sad movie thin made high school drama club movie little terrible plot non existent would recommend video going description correct perhaps misread bad story telling bad cinematography bad bad audio plain bad poorly together footage worst possible acting video quality like consumer grade waste time one awful silver trident simply hand laughable honestly cant believe made far clearly b movie good acting disappointed ex marine critical service men stopped acting almost painful watch actual act valor better acting cast bottom shelf group know top special group retired sailor worked close train saw amount bad language used typical talking sure field know use hand days radio contact looking tough need language worse tongue deserve better realistic movie horrible like movie cut pasted several low budget name bunch time choose another movie could stand get away incessant nothing blah blah blah blah blah blah pete oh yes ho ho ho blah blah blah stinker terrorize thought seal action posing basically nothing audio like sound crystal clear bad dialogue could awful easily worst movie ever seen like high school film project insulting real men armed total waste ten gave period acting call pitiful quality wack like another commenter hear anything made seem like bunch little whiskey tango seriously need gone even warrant one star acting atrociously bad waste time worst thing seen fast forward thing see ridiculous like everyone negative review stated pretty fake lot stock footage one horrible acting enjoy risk poor rated waste time watching movie advice recommend watch movie instead watch pretty much anything find satisfaction much movie acting poorly done felt every scene precursor opening movie second movie ever turned maybe enjoy company van solo could watch first five thing turn acting good poor acting watch twice make past min blah blah blah blah blah blah filler able post review found movie cheesy low budget would recommend plot weak seem realistic great movie disappointed acting way movie directed go get bin laden movie meant tribute think place blink lose plot really better waste time one watch dumb acting absurd portrayal military stupid wrong good remember seeing war usually leave impression one poor representation true serve us navy much rah rah dumb activity real waste time effort senseless activity tough never think tough dumb best country offer qualify even begin training pure fantasy zero credibility forced watch would get better sorry review negative rate lower convinced acting pyrotechnics bombastic might work require bit depth explosion well depth charge unwatchable another blame first movie skip trash unless belong nipple ring set waste time waste time bad acting bad situation bad cinema way around move move rah poor video quality really ability like video disjointed acting mediocre best good action urine choice beverage drink movie school special special way movie retired us army die hard fan military thing god awful read many agree gave thing star like patchwork stock film footage military news st gulf war thing flawed many must army ranger become navy seal rolled navy petty officer hard hard time believing elite team would make daylight beach landing maneuver enemy territory broad daylight whoever charge enemy dressed like another thing really equipment unbelievably stupid actually want viewer believe elite covert team say navy go combat trident onto flight give break know military maybe problem hell th infantry movie navy roll movie bad immediately skipping ahead hope would see something worth watching thing good movie free understand anyone gave thing glowing unless maybe associated movie way give star allow anything lower movie go one worse time star said waste time b movie camera work pretty bad like camera never still always around waste time watching movie many looking special combat based ugh poor movie quality extremely poor acting much better turned slow moving good film poor quality well done opinion spec member finish watching movie think anything good say story unrealistic acting bad point hard watch obviously able finish movie remember scene bad stop truck team supposed meet one bad weird looking rifle trying figure supposed cheap props outer barrel broken seeing several inner barrel gun excessive meaningless dialogue e w superior officer instead total lack military discipline decided watch someone looking known better make past minute mark even painful repeat one star say waste time seriously movie joke seal team like war department defense story line pretentious dialogue way much chest pounding little action seal team dod war footage action involved making movie really embarrassed director mind made homage seal team program film bad green starring homage army elite unit green people service stay away creative leave dod influence creative stone film experience proved worthy film platoon film fell face opinion one skip one nothing terrible maudlin storytelling heavy usage military clips taken discovery channel tell budget make hour waste time watched movie call quits imagine u military reluctant take another mission upon havent enough last mission joke display terribly bad representation elite rather shameful movie spitting face real elite men world hero merchant production quality poor best acting even worse yet another movie false flag put u tragic hoped would film another let go slaughter people nothing u type movie sick typically really enjoy type time poor start poor quality lone survivor zero dark much better could get past poor camera shot quality poor acting stop watching bad good met comedian airport recently curious performance ever seen disappoint thought would type humor entertainment boring honestly buy fall asleep watching one excellent sleep aid like good first one unevenly paced action good good first movie work action weak unbelievable writing strong maybe popular carried movie would recommend anyone saw previous movie good saw first movie second time around watched agree would better tried watch get dubbing drove insane turned sad good movie poor dubbing option spoilt ray disc would play player two additional new would also play first one watch one first one full kick ass one like steven movie second one definitely slow motion mean come able see film home part sneak peak preview month luckily able see original first watched disappointing sequel first may never watch vastly superior original film tedious plot slows action still impressive deliver like original film bad another message trying society good fight movie good overall let start saying first movie nothing less second excited first making second movie got put watched cant even begin explain fell asleep watching first time second time finished watching believe bad mean fighting thats plot dumb acting dumb dont waste time without question top horrible time actually worse pay see quit watching literally value film classic case rate warning anyone interested pay one penny much worst movie ever saw husband band ever rent movie long live could give negative would almost turned part way see would get better kept head train wreck best college graduate film sure terrible one one thee worst ever seen understand yes free one buy decent human would let film production acting pathetic would hope someone would please tell terrible actor instead star film embarrassing military ugh wasting time buy buy buy bad acting writing production horrible movie even finish repetitive weird scary plain strange waste time hear national security foreign policy say say one cannot computer tablet fiasco hear policy gossip learn much discussion listening people avoid get want look somewhere else show nothing outstanding daughter turns background noise great year old idea sorry rating show worst show ever seen type show adult section cartoon really pointless crude actually house sad cartoon network nickelodeon coming point getting better nickelodeon going fast quality show gross really younger lose brain watching show thought would cute fun show terrible never cartoon silly educated act talk silly reason daughter like one ever seen made turn sure making less intelligent particularly care movie grandson point made yes funny substance make laugh excellent good high watch every two seem great job waste time unless seeking episode episode gaggle b side comedy series waste time none funny cringe cable keep comedy central days state comedy pass unoriginal comedy resort coarseness find humor element cleverness inventiveness pretty third rate line painful funny felt little sorry live audience obviously laughing found boring poorly written script would recommend anyone would buy movie upset terrible movie even finish watching horrible bad waste time really fan episode guess might reduce anxiety going get shot really think topic favorite expect free bought based positive somewhat cute animation daughter zero interest also found boring basically pharmaceutical advertisement find extremely offensive fact stick street yo going careful browsing show seen many mistake science could give less star would never completely device got said selected make active nothing also selected cancel still nothing able stream useless son watch long car even option delete library stuck glad free know waste money dad idiot smart one much complaint attempt race thrown promotional ad unexpectedly shut immediately decision teach understand idea teach understand washing important important understand causing afraid need anti germ pro vaccination propaganda another episode show main one web sure want information reach little odd give free anyone willing much readily give free freely give us maybe care much looking good old fashioned vaccine propaganda definitely find watching enjoy science find episode thought strange one free episode fact able keep library stranger give much thought beyond watching made sense episode nothing pro vaccine propaganda young goal indoctrinate making believe healthy safe disease fully parent made educated decision vaccinate message appreciate cartoon guess target audience merely keep date opposed selectively vaccinate purposely vaccinate either way watching going promptly turned nothing advertisement flu directed get pay one movie ever seen explorer remove instant animation odd weird public television type material pick soon first note none really think boring turn cause kept trying turn stop apparent torture watching show us show stunk might work looking sleep aid like anyway thought would may young program show teaching scientific trying encourage young people get science needs get essentially think age appropriate getting flu vaccine way protect healthy mention side effects ineffectiveness fail tried play galaxy maybe know u need plug left alone might figure future cartoon brainwash vaccine shot love science fan subject matter watch android galaxy tab tried several times still luck bought movie worker granddaughter watch work play even load son barely hold interest science premise world annoying voice needs know answer pressing science banana get brown squishy gelatinously shaped attempt answer simple science often use play prank community long suffering mailman annoyance level sure first hideously ugly like spider monkey hybrid result really drive wall also grandma school drivel drive casino educational content guess plus show trying get interested science however really want get young generation interested biology chemistry physics probably pick look like science show actually computer animated total shock questionable content wonder grandma grandpa little brother aged four facial hair speaking get away soul patch three last year script writer would add new hip teacher school speech therapist would work nasal voice literally newly painted also would wear clothing make look like clown circus people please research effects flu dig pediatrician public several flu still injury still poison large piece crap horribly shot poorly made literally hard watch good documentary misrepresentation industry much interpretation narrow minded really understand scope industry personally found stereotyping painful people evil several found concerning representation preoccupation beauty obesity problem fashion industry people failing million obese interviewer movie overweight eating mention obesity leading cause death bulimia anorexia criticism fashion industry one twelve year old girl preformed runway extremely rare downright unheard girl young runway rare furthermore runway general public runway made primarily show work industry specialist runway even use one girl comparison child clothing runway general population simply based artistic impractical flip side viewer told middle aged female lee barry name successful true industry problem thin also plus size documentary fashion world fit stereotype plus size fashion believe search fashion industry run uneducated bad well life beside point fashion designer must least four year degree art college higher degree better fashion design extremely difficult attain industry standard top talking least per year total degree costing ba art fashion well educated working graduating impeccably high also industry stereotyped higher go pair jeans might well designed artist debt order make wear think causing dislike stigma industry face everyday cannot get enough sell want someone blame clothing art make art selling organic make us one people value human history terrible long rise fashion industry worst treatment comes woman dress social dress highest suicide denounce vanity believe look lot people say watching movie want understand message teach listen ask instead telling one view definitely correct video almost portrayal issue would recommend video informational educational waste time huh guy church parking lot dead deer truck yes guy control tower kind movie story line poor acting bad shooting cheap save time something better warning watch absolutely nothing rest life waste eyesight trash got short film try video demand cheap got story preacher quite bit lust heart several attractive one blonde quite spectacular film style video tiffany look like acting silly beyond belief script better video complete waste money time simply awful production certainly need arrive un spectacular end bother movie movie titled hard watch name stolen rock episode yet watched maybe get watch absolutely like joke movie maybe making movie vain excuse old guy around bunch young pretty waste time watching garbage disappointed film though appreciate server color film bad acting story poor style maybe seen would movie memorable saw two days ago even remember know remember acting terrible good documentary turns pitch think watched anyway bait switch feel like left strong arm meeting go house dinner find locked stranger trying get level marketing team chose two film merit spent much time problem never made solution losing interest would recommend film one based fact inaccurate information concerning stated however like scenery film probably good helpful information speaker hold interest asleep knew supposed three long would long anyway watching hour two speaker standing living room type room speaking sitting lived beautiful gem st excited find video island little let watching island hoppers although show interest whim museum hotel cay botanical least movie island hoppers st seldom large enough surf depending time year many water go days year none canoe sunset famous ship catamaran day buck island paddle see night pier wall drop name get wrong island hoppers good would plenty mislead perspective maybe change video name st pretty scenery times island hoppers personable obviously good time care guy wore hat made look like character focus much jazz music festival took lot film review island music festival ever often idea see enough anyone nominally would like seen mostly related much anything else interest sort amateurish production st video people way much stayed tuned see would talk different gave half time would speak another amateur feature sorry want watch video people bad music watch really tell around island people program entire time know st surf love st thought would check self indulgent part host opinion want watch white dude power expect get good travel video subject matter narrator video made almost impossible get kind peterman different narrator would made much enjoyable third video found incorrect front matter probably annoying actual video absolutely nothing beer rather travelogue please remedy really want see looking goes tried watch computer times old video watched way much would beer content none sad better source material like play home right th run welk show great kept fast forwarding see movie would actually watchable never horrible sound static hear anything nothing made sense total waste time essential truth treasury likely anything regurgitation scripture scripture generation myth comparison prophecy much better true reference scripture also extensive explanation found book revelation without going non believing generation recommend prophecy seeing essential truth treasury little truth never received get star hope able give better review make entire movie difficult stay boring say least even say message know hate critical waste time almost top selling enough time view good test movie remember remember must good even remember item sure even review fell try save bother find movie real footage vincent price movie shock pretty decent film remix type knew something right much watch almost anything vincent price crap know could seriously rent sale really peeved better wish included actual disappointed production movie boring slow thought would better wast time wife could watched better movie wife spy movie good vehicle little action leaden direction dull story line goes almost nowhere try movie mission much satisfying b movie rating quality stream bad stopped watching say anything movie certainly award winner even say pleasant diversion gave save money disappointing watch way annoying actually sew know much making amateur hour love love old care one originally must release story want harsh film buff fan may find great cup tea director decide whether film going comedy documentary horror flick fail three film mildly entertaining b mystery big complaint copy provided instant video system near end film crucial moment suspense potential physical danger copy whole thing reminiscent short story wrote college hero falling deep pit large venomous bottom next chapter pit sin would much better show concentrated sniper famous long distance shooting much show worthless filler rode train least times growing fat obnoxious running club car little empty whiskey hey aint empty till attendant ran aint supposed every minute still little compartment stuck yr morning glistening even stuck house anyone see best rain western front selling beadwork outlet block live found old green put around stop sit like fine old times movie like waste time war film rate reason give two star quality print found movie roaming ha ha ha believe watch howling laughter chose go study lint instead would rate somewhere planet nine blank beta tape found trash ha ha ha film travel china motorcycle time looking various tourist riding addition never make turkey great seven product description also introductory footage clearly state video group days eight well seven gone totally missing video bought video specifically see footage china interest missing ashamed professionally embarrassed connected sham way correct product description misleading total fabrication refund money without even ask want short travelogue turkey interesting information footage never leaves turkey video crossed list potential adventure poster child bate switch waste money purchase full length shown box know first ordered first last time purchase min min video go days even really touch silk road goes turkey want video supposedly goes even bother want turkey video great plan return one day really see riding like outside city oh well brought adventure motorcycle rider triumph tiger e found boring may well hired national graphic shopping tourist bit narrator boring guy listen thought motorcycle adventure enough bike stuff way well gone crap seen possibility boring ever seen maybe get long way long way round best bike adventure produce give away excited thinking would movie wind instead rock band nonsense turned box easy misread beautiful painstaking stop motion art work patiently lovingly musical rock n roll ode wind spinal tap see concert would costume animation bunch sad middle aged badly sorry bought ordered mistake watched since classic animated film easy see disappointed music whole thing awful glad streaming free would buy old worth money spent highly recommend rent horribly rent rent rent rent film black white like situation comedy film immediately minute scene opening scene like suddenly watching middle movie place relieved neither computer messing introduction first lead writing acting engaging however get ended restaurant lead thereafter thought writing quickly fell apart point stopped watching altogether lead ended time capsule fled gym enough imagine man life quits successful singing career become proofreader world nothing good evil trickery smoking pot chess losing always stoned never think vintage might actually depressing around year old daughter homework avoid meet latest character ben singer odd name singer mention used sing short wonderful world anything boring painful watch usually sit character train wreck life pay end learn valuable lesson technically might true wonderful world certainly nutshell ben singer proofreader pothead roommate understand saying upbeat show ben maybe ugly seem something lovely sister khadi comes town left bunch nearly meaningless stuff movie best scene movie khadi ben daughter dance best line movie believe magic magic around us magic really profound clearly head main character really nothing recommend wonderful world must admit like seeing role anyone could character ben singer cut might ask one well throughout wonderful world original music guitar dan heavily featured dan wonderful musician young daughter several seen concert times engaging energetic memorable fun reason alone sat film dan always treat hear play acoustic guitar special interview long made film friend known wrote script direct pretty much need know movie favor friend massively misguided ways got one note main character note angry depression got lot man funny perceptive even weird got main character redemption thanks magic yeah trope appear life share wisdom said something nice proofreading job daughter guitar store could cut semi interesting short film nightmare bad writer director thought feature lot quite bit great china since propaganda tourism angle worth unless receive free prime barely like home movie around explain happening like historic footage bad video quality reason gave two film could useful someone trying hike doubt really commentary keep engaged times boring trip visit please waste time watching video may actually discourage visiting one interesting homemade video hand cam poor video quality narrator homework tried make interesting professionally done force watch end case find hidden jewel like give sour film poorly amateur film thankfully watched free prime pay regret though added mistake little un un unprofessional irritating vacation footage little interesting seeing someone vacation remember little time something interesting like magnificent countryside beautifully exceptionally talented athletic dancer fall cameraman lens film swipes away another scene swipes instead get far much footage black hat dance narration story behind dance far many ground front private pepper adorable though sometimes start look little nervous cameraman around cameraman many potentially educational occur around giving instead inane commentary butter churn ground front pepper plant case review think pretty interesting raw footage could turned acceptable amateur documentary dubbing need take interest place visiting go please pack small tripod least wish could give star rating would recommend anyone sorry horrible film poetry reading would ordered book documentary set music scenery instant free unpleasantly video poor junior high humor like something made someone garage animated beautiful professional sports yes lose clothes yes abundant nudity yes watch instant video buy glamorous definitely presentation grate tremendously already feel dirty taking time read review really know bought movie regret wasting money crazy film sure point kept talk something interesting kept dragging maybe iceland like think video extremely outdated host worst useful content easily found going say everything look better also funny something mouth talking wrong person send japan obviously appreciate japan poor soul obviously little idea going although fairly well source confusion fashion segment wearing horribly misguided awful entire time host cultural theme side information unless interested woman mall debutante peak skip plastic face plastic delivery plastic soul almost hate japan place love run video pretty boring lots old old information pretty one fit bill totally defective delivery wish could review unable watch would start sop disappointing like narrator find brassy trashy silly script poorly written narrator read well make local pal expensive surely many shop ba film city justice ba paradise leather goods jewelry chic reasonable clothes furniture ba good get great leather half price anywhere else buy last top leather goods business addition woman taking us excursion got never someone pronounce ba way low resolution video high would skip one havent seen high available anywhere fire nice enough music elevator holiday would rent days fire fire get damn fire place want see something like fire place lot interesting watching preview preview beautiful song mainly instrumental music really video fireplace instrumental music fire nice really looking want like fireplace video terrible picture saturated image awful definitely might today image quality laughable like shot converted p short documentary rise made newsreel clips extended feature never clips action quickly major leading rise film abruptly brief mention strange flight see footage u full ceremonial dress end war witch strange point tilt pearl harbor even yet u even officially war work film obviously thin overview many key particular annoyance however narration overly dramatic non stop cheap character become annoying silly far better pass one merely theatrical montage poorly mess hint python thrown however documentary quite misleading bias say least crazy stupid backed corner unable fulfill made little lunacy take whole world expect one leading wingman think special actually reiterated political ignore wholeheartedly instead annihilation people part hurt higher could ever possibly offended matter hurt innocent nothing far reaching elite suppose elite among dead think sadly took place massive scale stand firmly capitalism material world least youth plague may accomplished something worth positive rather horrendous instead state evil suffer one race one nationality one color people combination life exploit better provide security capitalism rather obsessive materialism globe collection sheep listen every rattle babble forth media coca saving next ford great brought prosperity auto industry true way peace keep wont bother business anything lead oh wait go praising ford unless like great admiration may ask probably something pesky printed international rather host dripping anti anyway probably worth time gander unless want giggle two amazing may sound movie somewhat entire documentary shot black white even frequent essentially factual really focus much german people timetable historically accurate abruptly enter war watched many far better one sort thing would expect middle except middle would better job complete waste time wrong goes hill rough kung fu worst waste time one movie never ever carter wong sing fan mind older really good seen better made grade get pay movie came thought would better pretty good one recommend watching waste time whatever video loaded us title rodeo nature show needs check one without doubt one worst cinematic history legacy blair witch project every moron talentless think camera make movie save money time sanity doubt sanity rent blair witch video mostly team gay men visit another gay man trailer park love gay people like male top effeminate ruin movie much like community college drama club project straight term lightly video movie looking something genre obviously blair witch first stop paranormal activity quality tolerable fourth kind unwatchable one sorry stupid degrading plot seance bad bad background evidently none ever saw still knew process could would ask money back throw away least would satisfaction accomplishment say would understatement well ask watching due star review near cool motorcycle culture movie waste time waiting pick gave really boring girl rely mother support get job try sell car afford never really got romance part taking long month ago cannot view notified issue fixed streaming problem still waiting grew watching movie channel area take back however video audio quality bad audio couple behind audio annoying get copy different source one good quality raving fan anything vintage may enjoy like sleeper would inspired watch channel story never amaze film al go time effort expense make something like film intelligent person would view film either part shudder entire thing beginning end ask people bother make actor actress ashamed name appear cast sorry sound overly harsh always anyone significant make design produce something superlative quality film decidedly endeavor anyone purchase view film please save time money complete piece garbage slow boring movie poor acting lame story speak took chance since wasting hour half something would happen make nothing least spare people wasting time piece junk drama murder mental health close family mature subject matter would intriguing description however anything good right fact bad turned middle mess plain disturbing bottom line plenty much better available prime advice pass one watch something else lose story also volume problem loud hard hear daughter k la de la de de van obviously film film sale loosely given dialogue basically story woman dying grandmother family since family estate huge castle becomes vampire ability understand admittedly little rusty clearly enough z movie one intention give four chance go buff front camera two almost give clumsy non erotic half hearted attempt feign whoever holding camera film kept inept meaningless boredom intact right along inane cast sluggish lack performance film going appeal many people except somebody accidentally stumble onto diamond ruff reaching way back dusty shelf basement corner sorry keep looking sum first movie anything matter seen film version kill vampire guessing film supposed one shining must much career watched obvious cover art title implication would horror film proving ashamed body film poorly nude love much horror thriller mystery drama classic legend due camera fading blurry along trying add voyeurism shock intrusion interrupt brief altogether even much entertainment value obviously small budget half time pub cantina little enthusiasm voice facial expression entire cast performance start finish guessing enjoy would need high close drunk year old boy would three row starring hit television series wild bill actor guy typecast continued career several small screen seen instant several would say better forgotten believe guy good life acting career status star one might wish given better many television found cast aside successful series made successful transition back guy better successful many husband new home new town really want baby sterile slip despair puppy ugh child sort movie oh well least still art fill empty day wha oh yeah also going telling people call doctor pregnancy also little girl clothes getting creepy soon girl house creepy oblivious hyper religious mother convinced young girl remain childless thanks lot mum seeing therapist pretend tea w tragedy dog bathtub course left marbles nosey neighbor lady basement yep creepy child one decent plot terrible acting dialogue also far long could great short film nice part horror anthology bad good every something comes along already sit one slow vacuous snoozer get feeling punch line somewhere along way cannot remember anything except nothing remarkable even actively interested ending good order get slow drawn predictable movie saving grace ending romero save rest acting mediocre best horrible worst every time villain snap la west side story sing also warning animal depiction senseless animal pet murder sure movie back much get wrong many back good still beat street purple rain one much time waste waste w worth pretty predictable forgettable horrible interesting worth time love romero wish better movie watched movie prime dean actor kim one movie low grade b movie acting good story bad film sharp chose movie dean seen horror thought might good bad acting script steadily nothing worth time four giving higher rating inexplicable unless maybe director rotten tomato probably question ask end movie one name movie bad acting terrible story worth time known opening scene bad movie decided give go good found fast forwarding many eventually gave main character way unbelievable one watch wonder ever got make tried watch bunch one terrible high one cast sorely disappointed ever watch vanguard movie zero real substance regarding depression amateurish poor quality informative would purchase another video like video tape add insult injury low definition even full screen one many streaming appear content result image black left right movie within black top bottom black border around whole thing sigh thing really way lack tried watch prime free harm foul figure someone thinking paying rental purchase price would want know case speak like us would something would want mention seen several short included single feature something tying whole thing together least one example four result amazing much still idea short put together come common theme four story sex degree even reach considering uncommon topic generally completely different even find compelling first call lead film actually title film last captive lead man young actor like see four story left wondering bother care either primary ultimately decided second unmemorable literally forgotten time finished watching six third wishing spent time watching actual benny hill episode fourth potential place even varied group frankly never really wound seeming go anywhere made worse fact nearly half run time whole feature fifth mean spirited without useful thought sixth last captive like trying serious war movie thin plot absurd impossible consider serious movie sort reason give whole thing two instead one reasonably decent technical shorts shrink man therapist impotence tea party senior gather risque tea party moment life basically benny hill style joke telling paraphrase film pizza advertiser businessman young stud arrive heaven together naturally turns coincidence frog horror story young woman across music box pair animal instinct pair pathologically feminist force man inseminate one think supposed joke end whole thing dumb point joke funny lost last captive member squad us report civilian search later evening warn thorough sweep done next day forced irony mention awful yes mean done badly inherently awful though doubt would true also funny looking erotic flesh look badly produced comedian stand stupid well cup tea wish could better well think everyone else may like movie expect cover watched five stopped poor poor movie waist money one would polite calling junk even get free u think x rated butt even close x rated video single stand comic routine good risque adult club material found boring watch home computer watch x rated movie film done well found actually turned finished boring worth film see well done lot talk substance second instant video ordered going film stand comic found offensive boy way base one watched maybe glad cost theres video chit chatting video return back buy product thought take word though never even got past first waste money time spend trying find anything funny x rated c mon drunk guy talking dirty go bar see free buy book never know buy show first amazed allow instant without preview review type least personally think without least preview get beyond brief film view helpful never purchase instant video without one able preview read film never would probably good one review film comedian care modern general way get laugh f word constantly thought price would personal biography film wrong watched minute two removing video library perhaps someone follow favorable review modern see sitting hour half seeing something like movie critic gave time draw story happen story acting setting allure watch end genre cultural would recommend find basis recommend sorry waste time watching awful like made home video camera talent total nonsense kind boring better verbal description would helpful like less watched half hour stomach format interviewer interviewee talk show style worthy accompany interview accent heavy brogue actually us understand two talking want money back movie nothing much old school dramatic various bullying divorce learning case daughter single lost job long stuff assume stuff leaving pay rent cashier job local grocery already behind soon enough main issue really much way new presentation story script classic indifferent later lecherous landlord bad job teen facing dilemma complete life benefit later found finishing hard get moral something bad could happen two probably course movie acting bad particularly well today society many people like one good chance meeting knowing one movie show us situation without offering sort fresh look compelling waste money horrible quality low grade poor story line bad acting cheap thought doc politics food one sided amateurish doc politics eat politics filled fast finish watching made ill really wish could get money back fan little bush like watching junk either film documentary poorly ad waste money would recommend anyone bad dumb plot felt lead believe real deal refuse rate movie say saying film favor phony phony phony wait also get awful acting lame dialogue blair witch type make think real yea sure boy hick shot leg course going keep inside bank waste time nothing recommend part prime membership b grade movie best poor acting poor plot waste time recommend watch yet see one vanguard terrible one exception guess must cheaply made something acting one seen atrocious boring even care watch whole thing way one could see anything nothing zero like interest premise movie vital story action value decided movie case tired appreciate love slapstick witty depending mood love adventure romance comedy get past huge story fact time frame could would made far better experience female character incessant overbearing horrific cartoon point feeling relief fine tell worth giving crap never given want cheer cow scene funny climbing window scene good fake courtship funny could least drag wedding scene pretty good maybe min time entertainment rest left gasping air mean holding laughing next list please beg yep pathetic incessant sound effects laden punch face phony fight nowhere stop laughing fight great slapstick thrilling well done constant phony drag movie overdone stupid stop laughing oh agony use time real character investment would watch movie instead god going get worth fair watch evaluate come like like movie film lot potential passion rage drive well written script fleshing story writer director wont let grow people last movie grow way shape form sorry still hate second time remain total eternity love accent stand way people stopped watching ten min like take uncensored anything extra wait anyone garbage type vile human else really say oh people interested following jersey shore first episode try figure state real bad enough gold hair moose move jersey shore pick fight already brought well want elaborate like car crash napalm attack medical student big cold stiff watch get idea jersey right outside new york city one educated diverse know came please tell jersey know however like bloody car wreck process making lamb veal really interested go ahead look new jersey ever like f n g worst show ever written honestly think someone start pushing buttons keyboard jersey shore hey watch bunch orange tanned create drama peony little see anyone enjoy empty headed mean spirited drivel unfortunately many like one joining series oh power idiot reading bought knew version well never would excited see uncensored really watching show decided buy see straight without husband get chance watch figured could enjoy wrong every curse word nudity panties blurred also show hit without cutting show guess still cut wished would saved money kept since difference video offer even worse picture buyer beware smart reading record better zero option let hear everyone swear still one example goes hot tub wearing thong whole backside blurred probably good thing expect see anything already seen prepared hear f bomb repeatedly yawn hard believe people would watch series positive role full self people lack regret deeply thing place us citizen crudeness reality show poorly network people humanity general like harmful intellectual moral development teens also great source national shame purpose show blatantly mock cast behavior pursuit shock value depraved indifference well realize sense financially cannot even fathom basis argument morally reprehensible envy people made millions fame appropriately infamy hollow success must understand approve see become commentary social drivel like actually watched show experience write upon seeing prime instant list found suitable family showing much sexual content really silly story never seen show curious see popular people well bad dumb people say wasteland made common denominator one worst show show new new jersey people look bad show real entertainment show pure trash garbage want real show look elsewhere show instead buy something else instead show always trash buy complete waste time money buy something better instead reality always big epic fail please fellow new jersey show way shape form actual people shore area little find one single cast member program anywhere near watching people new york northern jersey pretend jersey shore drunken unintelligible parading group terrible display wonderful beach state seaside become dump last reason decline due huge influx new visiting summer winter town nearly vacant one live summer people come local beach never go near seaside become world people tourist obnoxiously crowded gigantic money dump another note please realize seaside police follow cast around prevent fighting public added terrible stereotype state police normal bravo marketing machine critique show absolutely however poor quality first uncensored like ad presentation identical show second basically special thrown finally picture quality mediocre p like put together someone working home computer accompany quality release absent honestly already worth believe entertainment stupid entertainment create society society get stupid demand entertainment jersey shore nothing nonsense believe actually watch show much less let watch perhaps wrong us nation wake people series except language even original inserted text c everything also seem missing original show show high would expect would follow story without annoying added series pad put first disk course sit fast forward non related bought season watching first need watch already seen show better put shelf may give away someone seen show wont complete waste money first foremost love show awesome show awesome job said quite disappointment really like lazy effort behalf whichever company hired design publish first uncensored title total false advertisement wonder one sue anyhow uncensored left thought second sub well really take much effort write less remove production company made get something really come make uncensored stay made even mad went effort way canada since sold hope done picture quality sub par unless whole show shot cheap see definition could bit higher best special watch free sorry also disappointing needs look definition uncensored dictionary put title ensure understand mean uncensored disappointed hope keep mind future also redefine title product suit false title printed cover well see value set love show us would consider budget release say please remove uncensored title release buy save sad show see fellow pleasure little exploitation first mentality lost without social consciousness purpose curious since famous thought maybe funny less trashy appear depressing watch human self centered shallow like would give possible load rubbish believe wasted time looking hopefully someone wrote speechless jersey shore season one completely uncensored th situation eight single taken twenty jump chance rent house jersey shore pay rent working tourist shirt shop party every night right away established jersey shore crowd distinct subculture loving reading review must pure amusement value refer review season five part two basic opinion reality based television tote around like might good thing watching play relationship musical first first learn phonetically could care less actually need high hair really obvious fake serious set particularly one guy situation also value physical else hair finding guy complement come single back home one thing sure brought baggage first moment start trying call dibs fighting inability work simple retail job stay show mean house tendency certain throw anything drop previous ever watch show hope laugh sad mean people bonus reunion episode cast specific preen front cheering crowd show ever see hot tub thong bra incident plus extra interview footage situation two front green screen giving like fake shore introduction show order prove people real life course still camera like audition footage put together host cast commentary situation worth listening spend watching show probably seen comment hardly jersey shore promotion film youth revolt change look like actually show clear fun expense sad thing cast never really teach fist dance move finish time hot tub feel sorry teens think true story native new jersey fail describe cast ethnic identity people representative state fail every way script dress content lived entire life going shore never met level footnote daughter born county thereby honor clam digger left one impression connected least well written script based upon real people really act like level stupidity unbelievable wonder people act like way damn show little uncensored bad see get though much worse thought giving complete refund quality poor also people want see days really worry next generation seen popular cool quite upsetting say least television show introduce worst show ever idea monstrosity start worst show ever watched turd need read review decided going watch turd probably watch amusing show feel sorry forever irresponsible late teen early naive forever video show despise reality simple reason actually reality second start rolling either crew simply face going show complete true television wake world put remote go back school read book extremely ignorant people really place planet give men bad name really quite astonishing intelligent enough known better think anything uncensored watching black false advertising start procedure get money back love series though disappointing like everybody told would waste time show worth imagine landed jersey shore would think hey look well thats people landed shore first think second live new york put way real jersey shore kind shame three still received item never takin long give stuff would known happen even ordered waste time watching stopped watching second episode trash better watch unemployed live home rent free big cause time world work get uncensored like watching buy probably hurry make quick buck two said wait season two yeah prove uncensored jerry springer uncensored jersey shore put stuff see see like want see extra stuff bother wait another show stereo another state new jersey didnt bad enough image comes shore house worst seaside town full idiotic stero go away stay away order view season one never seen even order like watching show already saw waste money uncensored unless count knew version well never would also sound quality closed caption video quality great either well smash hit truly sad state contempt show popularity popular forced watch thanks longer consider reasonable intelligent anything like fashion drinking vanity narcissism utterly make depressed sick much like majority us population comes next could influence eventually spawn young honestly thought st would glorious age intellectualism discovery instead jersey shore enormous new generation mindless value fame fortune completely honest feel mostly bad place feel resemblance paradise earth please drag us another country reading hope laughing hysterically wretched pitiful culture take comfort knowing exact moment united finally lost credibility second enjoy show continue watching continue watching every aspect society steady decline let jersey shore comfort bubble ignorance please continue defend show love watching train true going love future store enjoy absolute worst show sick thing people famous year year get reality stupid watched people watch next like idol bachelor real world show public people even whole season even put one season stalked stalker girl phone wish could get money back never buy jersey shore season every show base level mind numbing pathetic truly sad show even even worse given showcase much like hearing living people like hell even seen figured largely fictional actually exist show real eye opener yep watched season one rather like exotic tribe train wreck sure mike particular bought idea false bravado genuinely manly clue actual men notice pointedly write act punching name calling bearing teeth worked days come little mid late aspire getting drunk chasing enjoying smack fare little better sam gasp talking another girl strange would call social kissing nope groping nope swapping nope talking insecure anything vagina threat made laugh times usually nerve call trash nonsense good grief think hear pot calling kettle make great deal fact merely aping urban language attitude mine real know born raised one hey lady opinion guess part cast actually believe something worth say say let hard young inexperienced undereducated enjoying limelight another reviewer pointed like run country capable fast food store garage maybe country short wish well show provided anthropological experience anything happen jersey shore mike say anything except visiting absolutely quality horrid reality show extreme promiscuity fist fighting like making complete probably troubling obvious large quantity go creeping well would like show version creeping guarantee would enjoy much act like complete class morals ethics really dribble entertainment even broadcast everybody remember going eventually running country scare hell might little slow side god help us hearing mutter ether truly wonder single intelligent thought lot jersey shore uncensored reality show together four overly slightly overweight slutty young like boatswain mate four narcissistic muscular young men also boatswain mate home boardwalk seaside new jersey show yet another young man whose vocabulary equally color make first three first without tossing raised jersey shore good thing show nostalgia saw seaside rest total waste time money every time watch jersey shore book suicide please stop encouraging pathetic watching mess worth time money top made concept cast sense totally trashy bunch self absorbed top spoiled would never consider moving jersey everyone like character show appear th grade education one worst television ever seen like low life trash yep even fun trash plain unwrapped roadside garbage bad even want spray fear would improve great look future society look like show video diary shallow wasted despicable people ever infect train wreck people watch morbid curiosity see people pathetic low somewhat better cast breakfast club collection mentally retarded people drink get drunk make total thankfully one face hard enough make difference sad take back nothing like breakfast club show remind important wear active important get video anything watching remind people love see misery people love circus love ridiculous show worse thing jersey shore heart many people going believe way shore people shore film insult left insult jersey shore bad took act nature finally wipe away left behind trashy crew least one good thing say sandy show cherish life hell legitimate time time good quality around poor thing uncensored rare curse worst insult injury instead amazing get crazy terrible rap song really really understand song darn right last reality show fan compare one think worst waste time watching watched two see got better joke show horrible horrible horrible first wonder joke realize cast stupid seem would enjoy train wreck sadly banking show never saw bunch horny rude limited real setting menu subtitle list best watch show add bonus hour heck thanks way watch show closed caption disappointed lousy ever watch worth buy feel know brought previous review first hate like show watched got tired hearing seeing skin took plunge bought season one uncensored two let one go one moment make worse nudity finger clue first time matter uncensored viva la bam claim uncensored well flavor love season jersey shore added list well still going get supposedly uncensored really needs stop advertising uncensored star uncensored show strangely sure came list available curiosity got better knew much punch line still worse waste time wasted enough already tried watch stand stupid point even funny somehow people stupid jackass share watching jackass time time describe people shallow stupid live amazement arrogant seriously like watching bunch year alcohol sex believe people role old old prude ladies culture hit new low basically watch show whats thing dont censor limited amount wasnt already everything blurred picture quality available anything else would think might far watching cable satellite oh sorry lame special disc youve seen show already dont buy let get money late however dont make mistake could give would buy way inappropriate weird might think good funny yeah pointed many times still beef uncensored still blurred promote advertise market originally apparently saying uncensored selling point applied case dishonest content take self centered self indulgent put together social situation several minute seem last one likable sympathetic character show showing hair none really hot mostly whine complain show attention think deserve pay attention outside little clique considered worse insecure childish show good series avoid since took chance bought set forcing watch every episode sold local record book exchange store dumb idiotic revolting banal childish stupid pathetic insipid lame ludicrous brain dead absurd sickening sad laughable immature foolish feeble dull jersey new york show great buyer beware uncensored still blur nudity also still certain looking truly uncensored experience love show want great bought gift forced watch reluctant first first found self laughing filled comedy pathetic people sometimes would say wow show conceded concerned getting hilarious dumb say believe self loving beyond show hate u going lie review probably wont offend anyone anyone show dumb understand offended conclusion show sick men always cheating altogether really hope review people horrible show tag douche bag douche bag lying either please dont buy would really like get one faulty send back documentary form produced raise money personal campaign two grown use virtual year virtual relationship young man inadvertently caught game male virtual persona threatening female virtual persona young man male virtual persona may dangerous male virtual persona young man yes fault made blood boil woman instigator crime series different format type investigation usually watch find crime investigation series low budget worth watching certainly worth poor effects poor acting person wrote previous review must stakeholder movie creation comically bad every regard script acting make enough way charming lo fi production remove available wish could get refund thought movie free cut actor never watched sort pointless clip cute point tiny clip movie get tried several times movie load sure good movie another way help case give star rating see click icon play title copyright come content never tried times bunch interview non sense making movie waste little time hoped would interesting boring informative fan movie either movie lot great movie funny mostly stupid character extremely desperate usually like character time big disappointment movie really kept waiting get funny never really several awkward felt sorry bullock character movie nothing waste time film terrible even student film project may director fascinated scatological material film plenty many focus acting awful lead actor sorry pay watch thing see snot acting mention attitude could one work one mention one would go see right good movie right would run stop run stop concent run movie complete waste time one worst ever made deserve star love movie tried luck happy happy bummer say mediocre b rated garbage look fox lovely outfit enough distraction keep throughout get pay never saw say say waste breath time best thing ever seen would watch recommend anyone else watch movie didnt like story acting didnt go one hot girl one stupid entertainment fact even remember much film watched whim sorry say fox admired historical wearing th century clothing stock footage couple excuse try play acting like men civil war cinematography late shot outside first pretty format skimpy nothing less skimpy talking something since speaking idea something quit watching half even though min long one worst perhaps worst fi movie ever seen acting wish call horrible set design would impress year old plain stupid waste time piece garbage video mostly good quality audio vary soft loud depending scene plot good although special effects par movie caliber would give movie rate fi way better movie humble opinion rent movie want buy bad couple days later never life seen anything pathetic back brother converted family old super sound commentary vocal much much better production must sort psychology experiment nobody right could suffer absurdity clearly make stop please god make stop category still better anything could waste time money enough compensate lose watching atrocity high given mess must profit sale mind numbing media final comment put overall quality production include acting perspective though space crew safety actually made orange gift wrapping ribbon b rated collage type class room want money back worth horrible go cheesy bad one person could act want good laugh one worst ever seen like actual acting anywhere film people hired play reading cue almost emotional content completely wrong screenwriter needs wake take hard look around many taken film make rational sense completely understand need literary least grounding real world idea gave movie high perhaps watched different film could would given movie zero plan outer space billed worst movie ever made light ahead gave one star rating least used quality cell phone shoot film maybe warning would say film trailer rent like buy however movie would pay serious money removed inventory got two star rating surely must kind blind truly worst acting ever seen par grade school play performance read star like really bad people gave grandma grandpa hearing glasses even waste disappointed even bad funny true waste time make end perhaps sort mind would helpful least couple one long almost interesting worst video seen long time even worth one star maybe star would appropriate premise film good script acting bad even call b film could even watch way unusual avoid cost even free trust bad movie really instead glowing fact science fiction movie worth seeing happy deep psychological trauma small portion cinematic abortion acting terrible without emotion visual quality could buy standard tape awful even begin describe atrocity could get past feel movie like someone took cheap home video camera got act way considered b movie movie semi interesting predictable watching distracted came back movie miss beat lead character annoying felt actor struggling dialogue understand taste relatively subjective previously unanimous five star rating ridiculous appreciate moving art give slack low budget however film poorly non actor could done better cinematography awkward plot virtually non existent flimsy leave viewer apathetic film could reduced short film almost think someone psychology experiment make bad film purpose give great see writing film cliche story another time absurd reason give movie one star recognition repulsion narcissistic drivel could outlandish good movie felt bad script plot work really see end someone sad even wasted time movie pointless mention boring hell two way trouble falling asleep put beginning end horribly horribly boring even appear realistic life let alone main character turns away real hot enjoy period whine whine whine boring really like movie hot enough none really quick brush main character confused sad get never ending dumb real movie plot actually go somewhere ending instead leave movie sad confused break boy ho hum least cinematography pretty good starring role san well worst piece movie ever seen know could bought perhaps worth snack bar needs water survive day watch piece movie lord mercy acting bad enough unappealing review harsh enough truly apologize bottom heart good movie think director shot footage turned minute movie acting really bad story incoherent find sexy movie mess enjoy movie nothing keep leaving room heart break one point time make two hour movie crying please acting bad scene boring would like refund like less recommend pay see movie feel thought outcome neither good bad worst guess insecure deal life like breaking someone need serious help almost painful watch try find happiness moving one guy next happiness dependent steady imagine calling work repeated tough time dealing issue unrealistic fire real hard time trying figure rated movie inspired create pen name write first review mission help knock rating average rating truly trolling jama rebound film young gay san still breakup long term relationship three film moping happier times commiseration obligatory straight friend girl fourth goes sack various hot men old rebound low rating due following dialogue forced unrealistic standard dialogue certain rhythm movie us time place sense movie terribly department improbable scene getting time work boss get breakup sorry economy would job time take shot gratuitous meaningless shot hot insult audience intelligence immediately going ago movie goodness yes watched fair share care know beginning know end meanwhile care real people plot final word end came away nothing understanding human condition sincere maturation ten still bed way numb loneliness recommend wide open directed homosexuality orthodox sparse rich emotion far compelling drivel movie horrible acting bad plot waste time wish could get money back movie cheap suck story unrealistic waste plus hour time spent watching far little dialogue well many audience acting interesting movie really slow boring way emotional almost shot self looking really never seen movie bad one acting awful plot spent watching movie wasted never felt movie waste time money maybe sophisticated enough get movie oh god please day age reality web based series make movie soapbox one thing person movie person made death movie background movie complete waste time wasted money bring give damn main character dead pan acting film lot desired interested gay feature men color check rag tag finding find trust movie piss pointless picture quality good well sound poor acting exist film picture ad whole homemade beware title episode misleading fan ways die episode ways die know episode got season holy crap gave people black instructor actually great technique none single one wear black understand teach even follow individual soon another pair go back wrong single one fundamental basic even close talking basic true traditional school one two would maybe low green belt rest white belt level watch certain even rank embarrassment whoever taught karate long time ago kai school several first ever contact martial art advanced level understanding basic supposed advanced master class embarrassment traditional style true master would likely everyone people stripped rank school require start basic level horrible evidence karate away nothing class time still get lot valuable instruction video watching paying attention teaching ranked lame level skill part everyone else try follow wrong hard follow keep attention around much wound recommend anyone short attention span sorry dad know hope every time try watch one road bali particular may couple funny one painfully silly annoying really top poorly best matrix type first thriller bad ten said friend joke serious well serious joke simply awful total waste time view pointless plot line almost gratuitous sex violence even well done write even bag chips hour life get back negative rating would give super sophisticated film stunning visual effects horrific place distant future bad bad joke like movie budget like spent rent really cheap camera rest free horrible movie experience stunning visual effects must smoke coming behind tramp really sophisticated think shoot better movie pretty awful writing bad acting bad cinematography bad basically pretty bad low quality low acting ability low story low life low low low budget low interest low appeal low star scale sad review absolutely forced fake please watch neighbor got together decided make movie one day used used back yard set ketchup blood several magnitude better produced mean good film however narrative bad rest fan anime context anime measure despite best feel like could done something better eighty spent watching sorry high anime looking live action approach try version kung fu hustle yes produced big studio lot money noble film maker fact remains kung fu hustle good movie probably one worst ever seen nice total waste money rent buy based preview sultry min soft core movie lot better rent could get beyond movie quality appropriately lack quality acting immediate turn fortunately prime separately purchase one separately passion would raising heck reimburse purchase steer clear one sure movie trying bad rated film nothing dialogue film boring argument waiting couple never sex waste time title really fit content read video must anyone seeking transformation something watch first video lecture rest music rock nothing lecture thing found interesting cover really good description good length video even right cover thing want understand good also grew original series original hysterical heart breaking truly perfect teen fiction would never expect movie live thought would give one try awful movie absolutely every piece soul left another inane teenage cable movie poor acting script writing overall production honestly feel like one involved movie series fact even sure original even really used script eventually movie want place blame feel problem goes production direction piece wish someone gotten hold material actually gave care people movie sham mockery greatly urge everyone movie go back original book series amazing movie way reading book series high school around ago excited movie coming couple get made wait year every country release us come across cable awful combined two lot people lame nice separate boy girl combined disappointed long see even funny made laugh loud movie never made laugh sigh tell people movie read please read instead even adult still hard follow knowing book bonus innocence refreshing back read funny insane full life movie charm bizarre nickelodeon style giant party scene really missing bubble machine complete utter ridiculousness pitiful unfunny character even whiny pain rear odd overly slow delivery away taken morgue slightly less disappointing original character pathetic let even discuss less reason gave movie two first half justice sad way props trying guess nickelodeon took last make sure requisite amount cheese winning since pretty frivolous series really annoying story line simply boring time clue would watch even tired definitely picked wrong movie immature unrealistic boring stupid watch something else movie terrible annoying leave room times believe garbage teens like watch oh times past ten gave one star option negative glad crap free painful watch teenage dating process turn min like humor though movie girl trying get guy stupid movie would let even watch curse f bomb one talk sex whole time kiss scene gross slobbery movie show like baby way would let see nickelodeon movie stupid thought nickelodeon produced ridiculous movie rate zero grown little year casting could watch half film disappointed would recommend anyone buy film silly watching name odd see maybe teenage girl would enjoy came cracked still scratch free bit cracked affect function bit disappointed defect movie got one disturbing ever watched disturbing different way usual sort brit nickelodeon type movie suspected watched watched anyway silly read young might like though let say stop showing young teen film got sick content sucking face people underwear today grow trash different child fan book series based since high school movie super excited saw based book would rated higher however based book like many seem necessary casting felt wrong especially really like actor lot younger laugh favorite character series dialogue felt awkward instead funny cheeky end continue like great fan accept bad teen movie based novel full frontal like watch bad teen book turned bad teen movie could even watch past poor acting juvenile might brain dead teen really would want movie horrible adaption full frontal must difficult make movie book written diary form man mess one look comedic timing really character movie made laugh one scene try make brief main plot motivation simply pursuit boy one sex god aka reason movie sweet sixteen birthday party supposedly cheating father new strange reason film make serious supposed completely devoid seriousness sadness maturity throw movie sadness seriousness maturity diary turn coming age story instead making clear silly world ending skin perfect boy call present though valid supposed hilariously shallow silly come whiny annoyingly shallow even manipulative attractive laugh funny ugly gray instead large orange tabby life seriously instead made funny relationship funny comes extremely stupid really supposed inattentive finally issue carpenter really funny went nowhere tone film movie also felt necessary give moral make mature completely stupid ten immature silly shallow works film took away everything made special original made another girl character truly disappointing people never read might somewhat amusing movie still seem sure supposed want slight chuckle watch movie want laugh loud funny read tried lile movie say watched maybe like absolutely utterly defective presentation foundation much better viewer ill defined anticipate least somewhat appreciable representation masterpiece shown primary purpose tour fine outstanding collection instead insult exceptionally brilliant life work regarding works art moving intended stay forever shameful enough never true decent art thanks ilk brainless nit wit society really status impress ignorance total lack integrity narrator silly vacuous stupid see really fine program collection glory go documentary art steal show brilliance generosity great benefactor free streaming absolute must watch care art compelling need protect integrity vicious avarice self promotion handful additionally candidly way greed ignorance bring honest work fine many worked diligently preserve gift us tai chi like history kept fast forwarding find actual lesson copy video gave might useful someone already familiar basic tai chi found impossible learn one would need enormous patience get complicated broken front mentally transpose right left digital film expensive movie preview advertisement would buy high price absolutely content preview although better spending cup coffee fly matter first movie boring product endorsement ever seen watch go back forth airport finally get tell jerky well done although fish nice nice fish dude take away bad music lame waste time understand watch audio easy listen language different really like guy walking around making home movie guide glossed important interesting gave shallow bad museum interesting go back please right poor video quality poor sound quality nothing interesting man standing podium rambling movie totally boring horribly done plus kept freezing least first half sorry chose rent one surrender rest random advertisement whoever mostly music still worth watching general lee general grant even poor sound quality acting want learn historical event go somewhere else get beyond watching within maybe certainly wife independent movie really hard quite make kept would get better sorry worth time really like movie like especially beautiful tropical scenery close food almost taste enough mind slow movie ought point slow pace instead like movie slow sake drawing acting voice narration main character really hurt film writing weak revealed narration lack emotion actor couple plot enough make mostly predictable story driven transparently one poor choice another movie lead bangkok promptly separating found wishing story vacation instead ex going acting dumb ways led getting first place said many decent production set rural stand basic movie good appreciate good amateur production bad acting evil white men better acting story would one two movie real actually watch um let start um oh well oh yes narration um oh yes tiresome small group people would like movie suppose goes weird mad dogs lame best maybe better much worst group really like brazil man one musical genre mad dogs got attention last dead came back life end world prophecy boring great attempt say something philosophical whatever may lost script director nihilism meaning plot overview supreme mental patient get world stop wah wah stop mental patient human race finished supreme try elsewhere universe maybe let earth go new project love weird might want watch big pointless boring movie nothing title assumed hoped would point banning specific dogs like pit pit recently put death first week despite never bitten anybody breed type anything back point dull story goes nowhere little drama humor spend something edit dog mistake suck stop old white like bad choice sorry b old b w picture watched however picture quality poor gave mean dark fuzzy action undistinguishable care movie plot follow barely star movie waste money time better watch pointless depressing disconnected make want shoot frustration poorly lit low production pseudo b w gay noir film fit bill perfectly obtuse terse script plot less time wasting one line angry ambivalent dialogue made want stop like gay teen f grade low budget focus poorly lit rant rant made title almost totally free prime better hour rental trust stranger waste time hard watch care much story money wasted sure made difficult watch camera lighting sometimes sync sound bland boring top basically seriously really difficult distinguish one character next yep alright smoke filled full men look looking thing someone spend night picky wonder director thinking trying portray little date release least later many us stopped looking outside smart longer look booze answer found value whatsoever waste watching plan b real letdown get involved enough care dark difficult tell plot place jane favorite actor unrecognizable way glad went better badly lit badly bad script may perfectly good could tell junk heap aimless generic neuroses substitute sorry film boring dragged none know thinking jane weird hairdo like jane seen every film ever every scene could look hair pay attention saying like seeing shirtless care plot film film fraud representative anything thank god want watch bunch dull boring chain completely sexually impotent result age go ugly b w accentuate ugliness plot dialogue acting seen film another gay genre worst movie doc ever watched didnt even finish never finish movie pay nothing bought cheap content plane otherwise little recommend better great movie boring times watching like movie rented instead based upon another reviewer whew torture watch hour fair composition dark path woman barn eye supposedly needs see path following constantly pastel pallet coming loose easel commentary mostly fluff model twice find clean said put bowl uncooked rice shake around throw different colors dissimilar pastel pallet order easily find silly also sense arrogance unpleasant low level weird look like theyre cocaine talking get another man skip movie good suspenseful plot ending however suspense leaves viewer thinking much let love really b movie watching trying give chance stupid turned rent something else sorry huge fan one ended stupidly made sense really well make sense meant way suspect made feel like total waste time boring glad pay rent unexciting movie little mystery first would like say straight scare anyone away format thank making available instant view format hope continue offer vein said particular warn interested advance save yuan forthcoming looking insight better understand intensify jing find entire presentation utterly without merit value video representative everything wrong split china correct level presentation us reasonably external form lean back lean forward gee precisely none internal conceptualization life power trying still keep secret village make video public consumption tai chi internal system silk engine system unthinkable irresponsible give hour worth material specific topic never address behind anyone watching concept style come away understanding thunder majesty system author audience nursery school would material either way fine starting point everyone familiar core entirely un acceptable final product year martial exposed price thank even recommend part better also available although available instant view believe hey fat question seeing movie like ever get thing worse script acting even like cheesy scary still pass one even worth going story plot review worth poor quality picture acting script tedious sit make end without turning unsatisfying ending review rather highly blockbuster agree popular movie reason one worst ever seen terrible acting completely unlikable ill girl facial none believable guy bad waste time stinker beyond amateur worth let alone missing something got yesterday see something already seen mostly waste time unless full season something really consider bad picture distorted first episode made mistake entire season stuck unable watch crap highly disappointed content fact around long rented thinking able view listed felt pretty disappointing gone mild semi flashy following short shorts around around get flashing semi flashy car much milder event turns gone nasty several ladies mostly cheap till film super ghetto far one worst ever buy watch garbage thing think describe video worth time money bother rent buy taken interesting love movie wish available us saw available video demand excited watched free preview disappointed like rip good one old tape watched one many times work play anything let return buy waist time money work player would known ordered supposed little well watch point company wrote work us overall happy product show appeal watch hate every moment horrible ordered year old big time rush tried play player work tried still work company product us written description disappointed play us sell something us could watch us clear bought like like annoying made effeminate loud never seem get point since easy order click year old ordered show knowing disappointed little girl excited watch favorite band see warning region lots disappointment would kindly appreciate send envelope return refund thank region disc work work first hour documentary bit last half hour understand want make national look bad kind beer would dig film hard interview several hear talking passion beer interview listen talking advertising basically anything quality beer somehow film solid hour charming disjointed footage insight passionate people getting intolerably heavy handed end even respect sam film something film feeling like successful lousy beer easily made case instead successful people audacity successful favor watch film stop hour probably solid sully perfectly good hour watching obnoxious last film star subtraction addition drinker good information realize beer maker us part top propaganda firm believer share sides story much believe three tier system best interest pretty much one sided documentary without doubt one worst ever seen poor acting poor everything poor spare wasting time one whoever said good must smoking smoking film would rate could total waste time money poor acting script plot could care less end thankfully since impossible watch end movie build enough mystery suspense keep interest acting especially cop turned professor one recommend another waste time better watching paint dry grass grow spend time watching one another low low budget difference homework case produce good movie total police regarding family working case family member victim backup training mind character poe accent poe born boston mass pretty lame writing direction acting majority plain bad camera work use lighting certain well done good thing came film use term loosely student large role comment acting sure nice see dee trying add something help movie along spice done lot stunt work camera acting little late fair amount violence graphic decent gore f word four letter thrown around much though pot smoking female nudity favor take pass dead end road got minute trial work cannot use even see would actually able finish painting make look like human pay buy video like make worth want entertainment different story sorry end result pastel min justice would never know never purchase instructional fear would wasting money ought sell better stuff collage much exciting could working speed video get actual art making simple uninspired apparently worth price admission could barely get study abstract art first guy rightmost first row go back white belt absolutely sense balance possession flexibility precision focus even spite instruction mostly black far see display hip rotation arms like beginner high follow focus neither conviction moving one forward stance another said review goes step step progression display correct hip rotation simple stance exaggeration opposite stance leg hip rotation punch proceeds apply different advancing different mae though provide practice hip rotation getting back said run however aside nothing one particularly black belt level learned ingrained daily practice art would better innovation seminar ie new ways hip rotation alternative way improving hip rotation offensive defensive well also work camera min min specific camera man fixed place hence see demonstration prime member got purchase via instant video us couple actual worth rented ah yes one thing wordy talkative guess inherent western culture everything one would experience like experience actual karate japan talking film failure comprehensive claim idiot make movie better inadvertently goes proving opposite boasting also lifetime mensa member clearly brains make good movie effort like grudge documentary get anyone interested find objective scientific way decide whether movie worth making journey rant w bush bad president mostly boring get broken even boring poorly shot narrator along journey making film one even got library kept watching would inkling movie actually coherent thoughtful never fortunately stream lost audio hour giving excuse give easily worst documentary ever seen comment first ten unfortunately bad fail deeply regret could done something much inspiring like scrub toilet try find image blessed virgin bottom peanut butter jar two tell story making film getting viewer involved story guess low budget film even could better enjoy film lecture smoothly produced one might something though got thinking documentary renaissance used time however lecture front green screen bad quality shown green screen lecture organized abruptly scene used detailed art produced professionally done egg tempera sphere complete building done mess end sticking glue overall amateurish video like high school project done mid term exam professional artist documentary collection looking good documentary closer bought video stuck think temple movie waste money buy black fan cheesy like cartoon bad say basic demonstration misleading lady painting method applied decorate produce one painting basic art obviously clue anything entire video rip beware faithful catholic church priest would never would except movie mostly talking people movie clips personal life bisexuality totally love playwright shark one daughter watched bad dangerous revisionist history movie lot excitement truth community came four ago got around recently good information lot dubious stuff perhaps language quality information video lot well worthy investigation check skeptical homework scary manipulation absolutely opposing clearly fictional movie clear agenda film found point make went looking evidence support version truth watched film open mind made end really scary raise valid look fit plot garbage please give people money deeply sorry although entertaining film heavily without many want believe content love learn really unfolded maybe choose different film evening incredibly boring poorly historical bunch people saying evil like wasting even time watched waste money find first five worthless rental read first rate movie could get show even tested worked going said already watching would even give option buy watch informative interesting told actor desk life times large fascination thus title still found entertaining even patience wearing thin towards end quite long film wait make prime go buy anything personal secretary book form let imagination work overall total waste program nothing boring lecture th century even though fact near end show bush daughter really like movie remake old bogart film positive really poor film first miscast good comedy drama could convince hot shot tank commander acting bordered silly even used classic line butch dessert said lot giving high seen bogart version strongly suggest check great dan please stick comedy thought could stand original bogart work poorly done imitation form flattery flat true form remake sometimes good job see original embarrassingly bad performance actually movie film overall ask well good reason relative obscurity awful one worst ever seen along dare first impression upon watching movie scenario rockless plantless sand true north grant lee tank impressive praise last combat film tank sponson turret firing even though one gunner loader scene advance guard german infantry battalion half track movie producer could disguised sloped armor gunner firing movie armored sloped shield protect naturally hit broad side strong point problem sub shorter range lower cyclic rate german infantry battalion would part battle group organic three infantry one heavy company movie strength would also attached combat several several around ten anti aircraft least six infantry size battalion would also attached anti tank would grant tank movie know nothing german combat battalion c escort thinking rest battalion know next common misperception usually like reality highest soldier would taken command german always trained next highest position worst part movie attack german advance shoulder shoulder several nine allied german infantry would never tried take strong point manner would surrounded place superior firepower possible kept rest pinned ripe assault fire maneuver get hand grenade range movie also german commander shooting soldier gave intelligence totally false since commander power could court martial look matter murdering one front battalion would lower morale rest unit anything possible fiction go depth u get information u tube free interesting short last one driving miss crazy know ever sat terrible shorts seen bad collection one worst one star generous whole star go might well surf many new tattoo hard find instructional experienced give three four great rest filler decent several good even great plow homer viva however far best good looking truly great actual best certainly best ever weird mash great like plow tired early barely anything mid major whole thing put together fan first want say love father hold special place heart review nothing great film review strictly film real documentary film shot dinner veteran like souvenir dinner would receive certainly commercial type film honestly believe ever commercial release public high school film project student would best receive love watching tell story one comes mind medal honor great film highly recommend available free prime prime worth watch every man woman child watch movie thank little far little majority film taken host dinner twelve attendance dinner one worst film idea film supposed kind assuming someone worked either red cross negotiate exchange german allied idea special simply player realize made actual movie goes back old adage get pay version glad saw movie theater thought would great car ride daughter saw son disappointing together without much thought definitely class toy story year old got leave theater waste time least like much waste time content boring making cloudy meat lot expect choke idea learned something movie made like making movie best great waste time plus movie really stunk poor second movie plot first funny boring overall bad lost concept nothing original read clearly sure read clearly next time want see bought movie son watch one week later still make work playback error please try later bought despicable worked fine one epic work get nobody help keep telling disconnect stuff turn still unsuccessful care stupid even partly funny worth time waste time didnt like watch movie made good preview movie trying let watch refresher went see cloudy chance plan could watch dinner prime thought one could watch turned preview disappointed technology food come sky thats pretty much story line aint really think ever bought boring rented mistake thought getting cartoon granddaughter time boring lead believe getting whole movie wrong thought actual movie recipe success small get rid please rate unless rate unless interested making movie kind thing bother cover read actual movie making fair making interesting actor behind background original story would give one star stop wasting time film otherwise quality wife got without realizing movie making clip worth getting even free thought chance see movie cute instead making still little video looking wish free instant awhile like done vague say lease see something different every behind clip worst yet sorry movie free hulu earth would anyone pay much something thats free everywhere else much digital like competitive first anyone looking sub exit although say language video mistakenly thought fault wish specify somewhere language whatever hand dub good compliment original well watched episode window bad lots land many use information specific interest bit good needs refresh helpful trip jordan fall interesting shallow take expedition like show rushed still worth watching remarkable achievement one love biggest loser since second season watching give review last season disappointed made available mean prepared wait sometimes three days air date loser great poor show spoiled taking long post finale think purchase buy sling box sure people agree delay finale huge disappointment think issue posting result delay doubt continue watch consistent considerate respect posting however would nice put heat release finale soon usually fairly consistent posting new hour period little ridiculous comes season finale day half still sign new episode expect ever see final episode like two posted really disappointed huge time lapse airing finale read yahoo could even watch would want buy finale see none less ruined disappointed given due financial come phone used use watch computer give give work week live feel watching got season highly disappointed see structure season follow bought entire season video demand season video demand almost actual sold sorry like show go find show like watching paint dry slow motion son must picked like absolutely awful extent oh love green day think title refer scene may find interesting otherwise suggest hooter excellent guitar player video good teacher like afternoon hack session sitting basement video cam teaching production especially lick library great instructional material even leftover video duke better learn price even finish watching like amateur video might good footage stick hold interest known better glut pure crap trying cash yearning concert footage actually buy awhile try one little bunch talking maddening little clips early back talking geezer might value interesting drone boring stuff access actual performance footage would focus god awful even finish watching rather gave hope bad give two still know watched wont happen guy talent unless count beating crowd thought would least good music band care understand would worked barely minute skit intentionally incompetent glorious sadly humorously single laugh period bad writing bad acting sub special effects film science fiction parody parody bad science fiction bad science fiction fact awful watch preview video demand aware watching best part movie low level downhill brilliant hilarious book length treatment idea extent garbage inspired author likely owe profound apology pretty sure movie need made depth production acting pretty sure find anything better spend watching pool guise documentary training film strategic somebody unsophisticated hand fan flight inside b bomber film blurry like copy training film another anthology bomber much clearer use film might useful scale modeler b enthusiast whole professional grade documentary read good fan recommendation horrible movie ever seen cheesy acting poor camera work low budget interesting horrible experience boarding dose interest boarding dose interest back ground look fake realistic bake effects bad acting watched see movie could get worse bad movie even free waist good adult film real story line minimal action really volleyball hot wow think movie could worse bad beach volleyball nut pretty kind cheesy volleyball movie even mother movie would give better one star amazed lack cleavage movie offer nudity whats would give negative could care thought would home dumbbell exercise routine routine gym instructor good make want watch done first video last burn nope put maybe nope play computer nope left computer f great music pretty good seen video rating solely playback something clearly local production local fairly well done really anything long commercial roof siding business plain simple money ever spent ad bought could know culture interview interesting long repetitive hard understand went poorly video people traveling around shot based quality actually shot uninteresting useful knowledge inane banter video free better description video teacher bought show particularly part really wish could good thing essentially long home video vacation much like find shorter section shot fall make chateau look particularly attractive interior quite dark full background noise also information depth however appreciate enthusiasm love quite evident may use short show would subject watching whole thing one sitting modern culture actual journey fact times throughout movie research project life consider different source happy extract number valuable regarding color however finished painting left confused artist color end result thought muddy something try avoid painting behind artist spectacular however said learned presentation video production quality horrible audio quality terrible though put together junior high audio visual club video author book jam video practical visual book one video section good could wrong see entire video like patch work quilt strangeness one scene nowhere guitar solo interlude get video looking expand search pay actual watch normal write video expensive want save turn back buy book get video much time spent enough train ride needs bother bad good bad painful watch rex awful awful good way like every alligator movie ever made awful really really really bad way unwatchable even drunk plain pointless dumb tart even short yes sexy usually one gravitate movie like one fell short far watched got impression really something watch good like home video seen better free took chance wish kept trainer stutter often enjoyable watch listen jerky think need calm firm smooth inexperienced shooting maybe good trainer definitely video pass something better justice picture sound quality terrible gave two love poor production like someone made garage could make better film good much much older rod narrator sound poor fun show irresponsible like intentionally misleading really present criticism watch show may feel like saying yeah every theory offer modern people almost drill small make way like chipping colony brought advanced technology along still contact us large land said impossible draw without help someone flying yet even artist today someone airplane flying telling create something like would draw completely ground geometric used draw normal sheet paper need fly order draw large construction plan large would need draw big picture man animal ground would alien aircraft visiting earth used landing like designed land moon physics moving towards moon use something like airplane landing gear designed physics landing earth could could present proponent theory easily ask impartial sum opinion non would easy shed light possible impossible lot stuff get serious attention show make effort half adventurous critic non scientist effort nearly careful critical sensible textbook science non fiction book could find anywhere feel like sort thing really excite misinform people fun goof worry whether responsible soak ambience fun watch someone else smart level headed informed use pause button explain everything show silly beyond show bit shame twilight zone believe one classic fiction one ever thought differently fiction fact good movie language slow start great trying fill space submit review movie way slow never made way hard give review could make first good luck wish watch felt like video old much help current vacation go current vacation highlight footage outdated may music clothes even guessing early even worth rental bother say worth pay right free prime may worth min watching thought story great quality film disappointing film blurred well sound clear could husband maybe received inferior copy film found acting painfully unreal thorough would preferred good audio book get believable video devoted pub crawling book touristy rainy day dolmen much else help appreciate true look somewhere else find real b movie sure streaming issue many also effects enjoy film idea beautiful people guy much like town watching second guessing decision move go ahead watch thank lucky one beautiful people one star hideous fellow painted tan creepy toup almost ruined evening rip thought need watch closer rip spent something cant watch cancel boring poorly movie worth time took watch waste time narrative impressive bit like showing knowledge much maybe like gig something quality help like subject matter one favorite bad home video dad made sit bad movie save money worth time plot bad movie total crap fun scary ridiculous non cannot watch film might well removed list least checked site think movie everyone course gave star people review relate yet nothing added warn future problem least add note state whatever language description might good movie however since least watch via instant watched long enough realize going understand got try get familiar going could take listen without lost interest quickly pay educational value merely outdated bad advertisement horrible embarrassing pay love idea story acting much beginning nearly made turn start overall acting quick review video old make difference video come soon berlin wall fell style presentation video marketing growing making wine see reason ever watch good indicator get much movie somewhat informative horrific production hard tell whoever editor refuse watch find must learned video used every one unlike different font paragraph concentrate chaos chose half white half pink font say nothing fact music entirely inappropriate many annoying show case decide live without movie flying also two fact valuable wine information found great big fat zero production truly bad bunch old footage new documentary feel rent bunch old footage like new movie mention documentary dont even exist come way let us get small snippet preview buy music already feel bait switch really want money back footage like funny dead serious awful way business awful movie show horrible sound music ever life worse low budget film whoever responsible music sound needs fired said bought said season last season company get money back season apparently final season season stuff wife love like obscure alien ancient show get lot like watching bad mystery science bunch people really take seriously bummer would love hear see truth real time rather later topic controversial already create badly produced help ever thought movie lecture know already disclosure like said thought entertainment lecture bother extended first got already first one nothing new report old footage shelf like believe life universe horde hover many time alien race comes hey open going see stuff waste money thought interesting watch whole thing felt graphic think still half movie go one travel ever seen pretty sure produced guy honey badger video nearly insightful stunning used describe nearly everything thought might wonderful since mike made graduate slight piece work indeed study piece something meant entertainment enlightenment thought old jane comedy picture movie instead got disappointment set stage amateur quality production someone shot low quality perhaps old digital camera sometimes see additional lighting camera always steady occasionally colors occasionally blown otherwise balanced movie less professional sound budding much time elementary panning narrator believe may double director camera holder slightly wooden several include incredibly patient family standing around front various island often shot moving car see dashboard mind actually presentable amateur film watched movie help get excited upcoming trip seeing island film decent job major island lot time road prime free movie movie watch trip looking inspiration particularly useful want catch glimpse road excellent heavily film sure go film appropriate think disappointed never thought documentary one beautiful world could boring watched seriously host charisma cardboard box like waste time gotten maybe would play pretty view something current would really unhappy included prime membership first foremost watch season go view free critique admittedly watched real world since could impact opinion decided watch season place near live appalling young call men would get drunk become aggressive toward one young male even one around destroy drunk never another young male non stop misogynistic ways also make lot racist female found disgusting disturbing first half season young man whole story trying get laid eventually love though toward end must admit pretty cute least stopped derogatory toward another young male josh long distance camera nerve get aggressive one lie well enough effectively cover reasonable young man gay one mike actually good story obvious personal growth rest really frat house atmosphere feel unsafe young particular permitted fact got bad one drunk ended pushing another also drunk foot porch could broken fool neck show still go permitted stay house also keep drinking really felt like extremely irresponsible group someone could seriously injured even gave two instead one second half little better first plus train wreckage factor made keep watching even though bad rate pay dime see one free would call documentary controversial would however call ridiculous white man constantly country imagine discomfort past present still excuse waste time making movie something educated uneducated homeless people define something argue daily stuff alive time unfair pregnant bias need shake personal responsibility society becomes full melting pot instead heterogeneous salad bowl furthermore making people look silly intention director preposterous one intelligence two control tone content exactly open mind comes sociology social psychology entire movie felt give like director desperate discredit notion racism country know enough anything make black people white people look silly wonder would joke show would made final cut considering directional doubt movie worse waste detrimental thinking uneducated people looking excuse cast aside national dynamic built one take grain salt hopefully people see logical straight white supremacy however excellent tool use teaching identify false logic documentary disappointed great idea poorly executed believe either inexperienced spin topic race really delve really goes taking small pool people pointing regarding term racism really interesting topic really needs simply term without telling racism really meant leave believing racism really exist social construct designed hoodwink everyone world serious would research notion race begin analyze idea racism people confused racism really true really point wall one simple goal prove white people unfairly racist like advocacy intent hone last point research see produced background information general find anything outside site film mention st white racist organization inviting go see screening church abundant life fellowship link promotion duke president go figure interesting topic opportunity driven obvious bias incredibly valid point political correctness interfere critical thinking hand failure broaden topic encompass racism well inhibit discussion race wrongly racist nature notion also explore depict racism really explore topic find subject tried watch movie sound poor bad reproduction buy normally like make cut would think roger would watchable old black white would seen disappointed independent vampire film potential interesting erotic vampire film instead dove gore worst vampire turn one scene love scene give could picture quality good acting good plot light medium gore ruined like gore might like sure accurate history city boy boring snooze fest make many times video would made go run mill touristy production succeed showing one visit island first place could anywhere elsewhere mediterranean tourist souvenir much specific show famous nothing one find even superficial travel book video limited crowded well known island offer frankly dance group surrounded keep showing throughout video made cringe film also narrator famous inscription gravestone author believe nothing hope nothing free incorrect given one read travel guide many sold around glaring mistake correct inscription hope nothing fear nothing free another mistake narrator mountain one single mountain however entire mountain range way video cut also leaves lots desired one point boat trip shown narrator one could visit th century fortress boat even sudden shown boat going back quite actually arrival never seen neither fortress video must shot narrator bring plenty film would never enough clearly produced digital photography available course fault video team question much since made first island late since lot always better advice would skip video rent must opinion would waste money terrible orientalist food shopping long belly dancing show even narrator absolutely interested subject one star give less mishmash lady whole time interesting like salinity water made like lecture listen food half hour stock footage water two high rise documentary like minute lecture read loud tour book real look would better book tape terrible video travel guide use video illustrate lecture poor production combine bland encyclopedia reading footage make real snooze fest really worth rental cost inventory barcelona travelogue would helpful plus presentation dull narrator slow dull video good felt old tired slow bo ring great city whole much better watching rick good luck towards think religious quiet even one offensive line settled grown wiser world famous practically island would recommend video series barcelona even whole video bunch largely random boring dry announcer one person actually mediocre video lady often shown many many times globe trekker video much better word primitive completely predictable story really mediocre acting really needs get great intriguing premise decent special effects competent musical score quite overcome film disjointed plot amateur acting slow times hilariously bad dialogue nice try quirky originality suitcase mostly lost luggage school teacher finish watching twelve still looking outside castle lots description inside film footage lots polish historical figure explanation script must translation word moreover please someone get advertising agency good make film us polish want watch movie visit little boring hard make end never seen anything someone add new knowledge since trip next year decided check video glad chose rent video buy quality video best aspect ratio although production year lot like something might produced fact one point video something recently several video narration seem match shown accordion music constantly behind narrator voice nearly hour becomes annoying mind spending couple see interesting expect much wife decided watch originally really like learning country culture keep short narrator know anything area cannot even pronounce common correctly often talking something completely irrelevant screen would recommend watch video get information one huge disappointment sad watch stopped watching skip around trying find relevant none tried continue finally turned fifteen one favorite relive endless exterior monotone narration fit bill give rick burt wolf guide actually travel take inside beer hall museum people seeing tasting feeling hearing interesting street fine exclusion interest fast terrible transition tell narration kept going going better watching rick thought content interesting narrator said often match left us included useless story lost attention quickly poor quality get pass two video turning waste time boring logical order provide caption spelling since language familiar crap video documentary cheap travel video travel see travel agent listed documentary somewhat visit rather meet needs script presentation watch see end see enjoyable enjoy watching travel film match half time disconnect narration unlike anything previously experienced although enough make film worthy one star enjoy notable forced add star truly puzzled statement late best time visit winter also good seriously could get days short weather cold damp wonderful stay warmer month would preferable monotone voice narration match mostly slide show clips boring monologue attached watch slow boring narration put right sleep video visually attractive enough keep attention either video quite good yet narration difficult enjoy rushed little contextual emotion perhaps author trying cram much detailed information possible yet rapid toneless manner narration comprehension information difficult even chore quite disappointed describe terrible opening sequence jerky annoying video almost made throw focus big city think hardly much overall route removed thing video related route stock video footage narration vague irrelevant information came across several factual example timothy days building building route route limited information interest road lots vacuous talk route person company needs pull video go back homework looking forward route set price less good amount time seller told longer available huh well given refund whole affair left funny taste mouth agree negative video cant see much pertinent information route first drive large provide least nostalgic historic route sure even film could movie uninteresting notice plus stock footage new old extremely lazy documentary first hand fascinating along way narrator completely uninspired dull sense fun humor odd anything covering route barely made instance telling say tower would nice show one multitude shown rambling hard follow watched first stopped sound voice booth sound booth spend talking show instead likely total spend time video beautiful geologically amazing place visit yet video little would encourage visit narration dreadfully monotone filled puffy without value two talking boring ever seen wish spent money buy information provided useless helpful also read cue clue present material waste money never write review offended lack production stale attitude felt complain eric one time favorite still watch get audition however anyone needing opinion recommend film besides eric barely movie great really care lived good thing movie eric bad got early description movie girl serial killer staring mary got movie collins stripper watch gave one star could warn kind enough refund payment told would report issue saw movie listed never since thought seen gave shot instant video regret spending like made movie really star clearly one first like game popular time took two actually sit first night tried watching got fell asleep decided force watch rest next day whole time one hope get better never worth seeing big fan want view everything ever movie bad bad bad terrible picture quality old really put rest pathetic android notebook watch price increase really seem worth idea hire department cause something simple availability would surely thought one ordered error year old granddaughter watched order many think able cancel something ordered error like seen grandchild one half got father watching kindle even though zero would put work without bought first place annoying know show monkey make appear obvious writer fairy tales evolution try make monkey lost link unless home near wi fi movie work wish would saved money watch home would turn premise curious forced find world due obscenely poor man yellow hat annoyance level easy blame fact man yellow hat improve constantly leaves monkey bland statement run stay get trouble getting old social need solid educational content value show overactive curiosity lead exception hanging onto flying prison falling lake losing precious baby getting lost opening wild zoo many list questionable content wonder man yellow hat always yellow dream professional ice skating work script writer would write episode court ordered class monkey man yellow hat closely responsible adult episode properly us view wasted money annoying ugh wow wish could give negative review worth money spent watch demented mean really watch something disturbing make min movie demented unbearable honestly worst horror movie watched wish could get money back summary completely incorrect erroneous movie worst item sent cancel order one season b wayman rented video try see cool town much better home movie start watching people feed dog end someone painting water color picture telling thing town even go far taking different town talking interesting video show house people could pick cover art deceiving show people video way anyone would rent would like give best video worst save something bell movie right left around hate think bad sequel could sever please amateur glacier creep watch female victim rape fall morose morass watch act eternity film worse much higher expectation series pilot basic graphics compelling like taste might find appealing stupid could anybody age watch one episode drivel suspect popular get watching hole character come across many real life nothing cause everyone like character entertaining way less funny deal similar regular basis pretty corny watch usually safe side genre comedy spy probably violence disc unaired pilot episode parody actually main character pilot episode live action series league disc unaired network commercial ad making archer different production always one preferred pilot episode live action series reminiscent cartoon network frisky dingo stroker hoop animation like frisky dingo writing mix whatever drew attention series wish moderately amusing sophomoric way something bought known first crude tasteless uneducated nothing better waste time waste time watching show pretty fun bond spy genre picked sale bit disappointed really get art pleasantly feel voice work well well across board instead summarize key chief complaint show humor crass real subtlety true irony spy parody rarely creative instead blatant offensiveness sexuality whether artistic choice lazy writing amuse twice additional soap opera drama goes office lack character unimportance show setting majority show wow pile trash show turned guess obnoxious chauvinist offensive disgusting humor cup tea would call guttural deeply teenage boy fantasy comedy regret even watching single episode trash like kind show fun way gutter impropriety series rated mature demographic pushing definitely mature sure funny nice animation boring could even get single episode wrong comedy today last time saw something really made laugh robot chicken aqua teen hunger force like action ever attempt another batman real short believable tried watching several could get feeling ridiculous one star nothing lower one star much lower piece junk trying seem knowing much yelling buy dumb yo yell archer wrong region useless waste money even option exchange would anyone know watch consider see bunch dribble brain numbing archer best new show come along great show buy unbelievable extremely difficult watch computer one use proprietary player media player also burn play everyone wait better format probably quite well done clever maybe someday even finish sympathy main lost interest quickly son said find character amusing especially son said used pretend mother said much like comedy development believe actress much style comedy guess normally enjoy satire parody dull slow bad humor good story erased existence people erased suffer juvenile humor sad really thought would enjoyable four three two one garbage love funny way sexual twelve year frat love watching huge fan archer series like dark comedy animation found right place archer cross bond show development seen want see would recommend buy watch whole series diatribe dissuade extra shout taking care boy throwing pilot onto empty space seen stand act three times current series finally material format seen buy watched series first pretty much seen order consider fan show support reed copy main reason bought besides ability share first season view unaired pilot ad sticker box never seen episode hate call advertising really bait switch another reviewer spoiler alert unaired pilot like reason buy perverted like commercial hot hugely disappointed somebody thought would hilarious take first episode mole hunt substitute archer image voice image dinosaur screechy dialogue done without advertising might funny got waiting cut live shot somebody production staff saying ha ha fool nope kept going whole episode far know fast half episode kept seeing stop question reed really intended someone marketing get memo unaired pilot gag television commercial w f seriously shameful posting fool review like get like robot chicken miss least tried stupid boring well made rent thing like work show really hope later going keep watching pretty much everyone show everyone crazy sorry archer sleep know supposed funny think timing like concept spoof pop culture satire blah blah sexually perverse watchable funny led believe cheap see real appeal tried like thought try still like understand trying make stupid look funny seem play fine arrival date correct case heavily point hold place total anything love looking steamy something along love darling included careful get face lovely day work job shall meet study language nice meet give phone number help please sent card sent card cute shall call call shall write write write take care spend money anything else historically inaccurate point bigotry without value even someone little background subject really bad boring interested stuff like way take something interesting turn snoozer thought film would practice shamanism modern world talk show intended part series talk many new age cover description misleading interested new age new thought shamanism also want told truth buy looking information modern day shaman video want know quite tired men get touch feminine side suddenly decide qualified teach classes spirituality certainly man telling us connect goddess bit presumptuous truly believe many tired men telling us think experience goddess opinion need direction men movie j interviewer title movie buyer believing presenter interviewer interrupted throughout entire show obnoxious disrespectful toward would allow name used man narcissistic saw movie free assumed movie would subject without obnoxious man mislead needs advertise man presenter person get word edgewise would like refund purchase contents video worthy way represent yoga misleading video went video hear history yoga nice cover video box totally misleading get stern style show script two people equally unimpressive singer yoga teacher first aside couple times casually mention history yoga tops nothing tape history yoga need repackage honest program yoga bad name trust universe could spent much better description firmly agree two read bought another yoga teacher review see acceptable show teacher training never streaming video purchase title misleading complaint wish could say love item terrible perhaps better reason item work well kindle one resume complete waste money never like message work tried give fair chance working together highest good perhaps issue needs fixed fine truly sorry could give good video old fashioned looking video show part watched quality good title indicate faith based different kind spiritualism one based protestant faith based smoke flume lava entire min camera angle never poor choice music well video home video hot lava flowing ocean actually even see smoke bright orange camera area rip know area film waste time bother call first film maybe bad possess ability coherent set video simplified better demonstration would improvement like little science less family lore half first episode opening bit really like humor episode appeal anyone else family one funny bit dull neither insightful amusing honestly even make past first person partisan took fun one else really funny funny however one woman quite funny never seen remember name act watched way depressing tired unsolved missing person resolution seen many want show people found whoever involved went police bring good psychic seemingly hopeless might able help feel terrible suffer terrible unsolved loss upsetting watch heart goes stay awake watch show seriously knock without pesky trip pharmacy sleeping nothing new documentary life murder atheist hair family yet much written civil leader unfortunately written usually one sided partial place league cultural one reason another terrible time media message came across often maddening anything rational word atheist part lexicon current term new atheist think lot watching thinking drama soon discovered documentary reality show fluid story many family law enforcement thing hence low rating wish could get money back first live city one case saying family life would mildly mention show even though lived apart since second divorce final would never know watching show tearful going ultra wonderful missing person looking mystery possible trial maybe conviction suspect get none maybe two three per season even solid forget closure missing person audio bear watch sound image bad disappointing good plain irritating nothing needs said one worst cannot imagine performance watched fill watching movie found unpleasant maudlin drew surprisingly effective though second thorough review previous reviewer start say movie engaging paced well interesting problem movie negative hobby three walking unsavory side popular culture unemployed overweight author instead finding stable job provide family cable access show alter ego super villain next character sadistic dungeon master also overweight nudist ran family third worst girl may may able disassociate character also married guy ended getting pregnant beating goes extra mile dressing like character face paint since hate see game many positive negatively society game always epitome childhood dissatisfied current make fake game social interaction creativity logic cable connection bunch sitting around table fun night movie like comes average player much either piece pop culture normal guy normal game understand public perception stereotypical portrait socially awkward nasally voiced confidence unfortunately like documentary purposely sought color stereotype dealt generally socially gaming simply another social hobby way poker fantasy sports appeal sure definitely incredibly subculture within gaming community like make look like majority like start say movie engaging paced well interesting problem movie negative hobby three walking unsavory side popular culture unemployed overweight author instead finding stable job provide family cable access show alter ego super villain next character sadistic dungeon master also overweight nudist ran family third worst girl may may able disassociate character also married guy ended getting pregnant beating goes extra mile dressing like character face paint since hate see game many positive negatively society game always epitome childhood dissatisfied current make fake game social interaction creativity logic cable connection bunch sitting around table fun night movie like comes average player much either piece pop culture normal guy normal game pretty much anybody going find fascinating leave bad taste mouth really much documentary poignantly sad look three chosen director felt intermittently entertaining enjoyment soured little bit research net apparently three feel director editor deliberately misled reportedly stated intention interview make seem normal everyday got open share much private instead selected footage least flattering way create impression people deep psychological convinced least ordinary people feel echo written know lot people play one weird fact quite boring movie made would think went purpose cynically choosing crowd bizarre feel three people representative generally long shot listening publish book one would buy read plus would cable access show documentary absolute worst gaming much educational honest entertaining movie role depressing story documentary style movie sad real life whose common thread involved role extent slow happy film oh fan documentary dungeon premiere could go wrong like fan documentary galaxy far far away dungeon fringe culture extreme three national guardsman gaming group family start new life entire party sphere annihilation trap death impermanent plenty life annihilation different matter comes contact sphere instantly void gone utterly direct intervention deity restore character multiple serious business reputation killer clearly reunion wherein summarily group dungeon gaming style kind spend several ranting uncompromising way highway jerk gaming unpleasant many enough also nudist random point since sure exactly proclivity chat camera nude case wondering exactly fit either realistic bunch home wife child share office manager apartment complex relatable know dungeon like understand creative people difficulty finding way modern society supposed find nine five job problem dungeon give success story never get hear cable program case wondering independent publisher gaming material cable show ongoing poor comes worst attractive twenty something majority drow getup made clear considerably use movie took gave gaming future gaming works little girl keep needs one stand skin exploitation bad enough dungeon simply information wrong various showing second edition even different entirely talk sessions fantasy based chaotic brawl unfair generalization gaming shaped tradition second edition glossed style actually sense light plenty stable stable stable unusual find evidence instead get exploitative strongly husband gaming pariah likely cheat wife female gaming friend get steady job desperately needy male companionship time dressed evil elf none true know watching movie really even enough material minute piece interesting guess problem subject matter documentary interesting really care middle aged guy hard time getting along group look forward segment sort dice segment one visiting step son nothing movie part play fighting park one felt fairly left knew people featured movie cool thought could still interesting problem real even passionate much rather watch documentary someone really something like chess pro video game player kind exceptional artist something like instead watching movie go start conversation someone anyone neighbor worker promise interesting people video really love geek culture monster camp even documentary however move mainly people really much movie really boring really entertaining say documentary depressing made sad reality fantasy world us may indulge different escapism day day stress manage work day job generally happy people film depressing fun aspect role really shown beside dressing even much focus given aspect would also like add participate seeing even fun see people power hungry ruin game experience talking overweight guy army reserve first family irritating watch ostensible subject film three role game fact real focus film director borderline compulsion convince mild trust position publicly humiliate scapegoat never comes across something jerry springer director first potential goal portray dungeon normal everyday people correct insulting way role often media pattern approaching vulnerable people marriage telling know past fix abuse help trust time trust everyday television profoundly abusive cult leader abusive trust bending documentary subject role clearly impression interview ended see walk camera hear ask dinner clearly ended intend dinner question part film leaves without subject awareness permission definitive tone setting moment immediately film title set tone taking advantage people trust laugh expense real life drow rare convention live action role director unrelenting urging eventually agreed wear extensively home interview expressed surprise anger idea dress idea seemingly evidence emotionally unable cope reality even used drow lady motif iconic film poster dismay lay repeatedly told like ex husband seeing final film clear support agenda inaccurately portray freakishly incapable healthy relationship due weak grasp reality shown photograph step appear moment hear abruptly abandoned mother reality leave child director yet intentionally man abandoned young hardly likely win father year film simply lie sue defamation character court law defense could possibly muster unambiguously intentional defamatory misrepresentation film hugely advanced career enjoy silver exploitive parasite film would like help making documentary defamation character please contact via section least two actually worth watching goober experience find made role give balanced view culture really like even include mighty one read good life dice bag yet see live action role include monster camp related h kim bad acting bad predictable might interesting back another excuse look half naked male interviewer said asperger syndrome suffering living brain wired differently better worse differently sure social may difficult suffering sort disease illness suffering cancer something entertaining best funny pretty rough raw though likable found mildly amusing significant gave league archer always sunny eastbound far far received disk series disk missing like someone stepped case disappointing seriously television coming people think vulgarity automatically humor like anyone reason spike good one favor go watch league instead garbage see difference stupid vulgar blue mountain state actually funny vulgar league night day lose brain watching opinion recommend getting watching poor quality video type title watching preview figured would full sex nudity topless mostly background real sex stuff disappointed either sound track way heat little value program drama watch horrible show teen movie little masterpiece watch information warning buyer copy went ahead bought sure cancel sell copy like without warning ruin wonderful movie dubbing anna unique try return copy even though already feel angry care buy movie offer copy original version actually one good thing say housekeeper superb everything everybody else movie awful waste time one plot bad foreign film nudity sexual content one point lying topless showing quick nip slip times sexual content occur film away looking skin flick based title look film titled la fin original running time run around travesty demand chopped version united back originally titled dark sinister cinema clever enough find end world title order mislead buyer thinking getting longer version although correctly state running time think probably would rather since never running times took chance based synopsis original movie extended brother controversial crucifixion scene cut version mislead sinister cinema synopsis obviously interested giving buyer accurate description movie based rather shallow review film felt important set record straight anyone interested long version might try express classic detective mystery like must admit film would one possibly first guy excited could determine whether detective mystery comedy mystery comedy ever genre found slap stick interesting follow way simplistic acting unrealistic feel item view gosh movie thousand old black white said fair include year description movie like deception customer course technically lie personally expect yo movie without even big deal owe never give lousy even movie yes admit like particular film try say something positive time cruel ridiculous acting story line everything felt like worst ever seen sorry find one positive thing say first let cover one question must scary spooky movie spoiler answer movie nothing killer lamely kind clown without must effort utterly without anything spooky otherwise horror related obviously tried capitalize popular horror theme poor quality video even remotely scary one worst plot less tedious horror ever wish never wasted time trust skip stinker scary clown movie version shorter cut first third film happy rent inferior product trouble film copy available virtually unwatchable crackling hissing noise intrusive aggravating one stand time copy poor never purchase even mention bad sound quality description deceptive low budget spy thriller need say cheesy acting fight see miss plot make say huh worthy dialogue grainy filled film quality like something elementary school education film bad dubbing list goes one sent straight mystery science serious granger whose career must seriously person actually trying act film give credit fact even diaper filling mess around retain usual style polish least alfa convertible cool print movie substandard streaming shame movie dreamlike like zombie many bad stoner one get first without turning really generous high poor movie serious waste time would waste time seth rogan death make one movie description super deceptive could view beginning film consistently froze like felt writing bad acting unbelievable usually like give negative feel wasted money perhaps could seen whole film rest would better would able give higher rating ugh one slog get cinematography circa grainy picture static camera faded colors narrator uninteresting film cinematic make current nature great dynamic camera vivid colors aerial photography close detail laughable like footage tiger supposedly hunting peacock except tiger lush green jungle peacock dry needless say peacock away actually two together first mating second raising young say got super excited reading coming read include untuck disappointed mean untuck part main show include sense whatsoever give half entertainment become many even go drama behind season release even upset mean people get clearance first cool deprive tremendously funny riot yes know always everyone stuff us still prefer actual needless say feel incomplete hope second edition somewhere road included season country one disappointing season star fish chicken commercial directed go country rely old hillbilly without comedy humor usually creative drab unfunny script nobody even tried swift dolly definitely downer boring show long negative taste request assume fierce competition filled raven juju win fierce watch season due music untucked drag u option thanks get back loyal dying buy long overdue product drag injustice fierce huge fan buried life initially excited receive excitement turned disappointment deaf hard hearing fact whatsoever foreign language dubs may seem like big deal average viewer hard hearing non speaking buried life major letdown gave low rating even bother watch review imagine watch whole thing mute nothing else wrong intend buy know return totally annoying young need know lot losing weight many must burn lose pound would year old much younger older hate find annoying boring younger need hear stuff losing weight even heavy typically live maintain weight since child grow try make fun overall mediocre two primarily video live lecture door repeatedly well crying baby listing director producer like false advertising cannot recommend video say idea review extremely disappointed beyond known imagination word belief film obviously made produced film study course obscure college twilight zone cannot believe spent money film cheesy type film watch completely else spend human intelligence real professionally produced movie bought review highly disappointed martial parody creative funny could really good show jokester respectful multitude typical liberal skater audience would share selected family crude way crude funny even viewer common sex watching show like sifting seven year old asperger enjoy love tosh cannot get man humor plus time web content waste time little better job thing however want stupid watching tube listen idiot say obvious kind lame hiss stand comedy lot better trash peter tosh hilarious comic great material quickly mud really hard enjoy comedic routine language wince instead laugh feel profanity routine really disappointed love show reason audio extremely low instant video watched right afterwards substantially bought episode rose interview instead received totally unrelated show e rose international fight league sort ultra violent version boxing example kick face first thought might commercial entire hour revealed rose found definitely interested refund would still like view actual episode perhaps fix link please let know delete review repurchase believe everything story true factual made bad event someone life horribly worse sake entertainment watching know nothing real incident know keep mind people really real people anything pray involved basically make story better research god sake fund convict story poorly done discovery good bunch smarmy look want get little bit bragging despicable would recommend add list another show goal appeal credulous emotional needs believe nonsense discover channel history channel made habit monetize credulity host show pretend scientist like wonder homeopathy water ghost hunting prevalent want know world really works keep away drivel somewhat interesting factually lots wasted pad time watching guy dig various interesting historical information history took lot time say discover much found tunnel drill figure spot surface give show could figure spot series lots drama importance pretend journalism poorly unclear steed learn anything like style manner felt agenda rather learning learning sake prefer nova national geographic enjoy series took much gloss important explanation history show host cool shot really enjoy history assumed would vein undecided skip history go directly history history stand fall credible present entire case program interesting going along nicely silly experiment practice finding water directed unexplained time properly shown greater ability find water anything else pure chance yet program unequivocally something experiment pointing area known water front dowser short distance away see crossed proper spot really estimate distance guess finally illegal get scientific found sorry program right clearly lack know whether insight simply look good screen final judgment recommend watch take grain salt ultimately simply recommend waste time series great potential never live could sure like bit shady think goes deep end time time recommend one order sometimes find better value prime program worth cost movie selection great new movie cost high review prime program looking match always good idea good place get initial price poor choice borderline boring cant rated actress meat time thought really pick streets act plot story dam dumb could watch simply made wish could give movie zero bad see movie assume legitimate movie budget couple hundred unfortunately case movie acting flat like could concentrate story please save money something wish able watch really wasted money sure would could watch simple rent movie bad acting bad bad everything movie free even watching watch movie free horrible good homemade movie bad worth dollar see lot never review movie ever worst seen even real movie done video camera without professional seen high school make better cannot believe charging prime like like may love dont good movie wast time nothing happening make want watch think would something like see watching based popularity many looking forward washing never resume happy giving star would see kind movie movie call budget probably three hundred buy candy bar money save watching one professionally made movie low budget like student made film middle school student production make big reason even paranormal activity relatively low budget movie produced basic level quality scary watchable shut movie pretty unbearable entire time waste time money go college film making kind watched film point view saw time continuity right acting even though thought actually movie actually long built slow kept attention found interesting actually movie bad acting bad movie kept attention going found actually college film going give film since actually film could good even better time college lot people help right wow cover like rip drag hell actually descent movie movie found student film say movie horrible would compliment mystery science theater even touch one acting bad story even worse kept watching something would happen huge fan horror even b grade way par keep money wish bad worse movie ever watched first hour made sense wondering ordered wrong movie go sleep fun poster nothing like subdued boring film story synopsis simply story young man trouble much major today little breaking entering watched check young goofy female friend later would show couple super making first person portray comic huntress live action albeit lame attempt comedy lead actor drag race untucked mistake cool wait show buy first bought item thinking odd flyer image season season two bought anyway thinking mistake yes mistake first watched automatically knew first season get follow show religiously like know people season two season one got wrong report technical team season one wrong wrong wrong first bad enough put image show season two bottom claim season one season one nine get season one nine mixed twelve season two carry actual drag show season one channel show available watch last time checked recent hard season find technical team damn research right tell fan show wrong hello customer always right hope get first cinematography horrible background music cheesy give negative could vampire film many bite potential erotic drew box cover rent title alone cellulitis bacterial skin infection necessarily something look fitness video concept great video grab within first turned worth pay video totally bizarre verbal pathetic inefficient bad translation job old bad eastern video know viva bad far behind times check release date pressing play yet quickly back personally prefer bit fast paced workout first video old ridiculously old video want good laugh talent absolute material watch video probably even good workout really trying sell video video absolute misrepresentation buy lucky able review prime free oh god worst exercise movie ever seen strange around waist head awful music like watching really bad video say anything follow along would describe contemporary cover video make poke see would interested went came whacky people smiling type aerobic type music watched bit still waiting real exercise video start actual exercise video speaking throughout nobody ever said hello welcome let start word spoken people dressed like plastic workout weak bunch step touch impact stuff video watched disbelief turning humorous look sure call basically impact bouncing arm swinging ridiculous worst exercise video imagine excitement waste time still works though option play demand great thing wish though want watch video good workout two hideous hysterical outdated low budget wear flannel warm completely silent entire workout fake pasted disturbing look serial attire silence alone tried workout stop laughing oh cover video current contents much want good giggle check video think looking legit workout look elsewhere video old extra minute worth taking look comedic value super special involved bad worth time unless much time need chuckle program interrupted stick man type enjoyable quickly workout old cheesy laughing loud low budget thought going watch beginner program video ever boo lived old fashioned low impact shiny still work video old nothing even put queue stuff like go away worth time unless looking outfit would rather play music exercise learned use video connection jazz slow jazz music noted instruction except strange cartoon overall effect leave bad taste mouth watching opening sampling throughout tape see mind however actual workout sort annoying shoulder broken second next set shoulder really calorie burn like people turn burn done one cut getting work mornings however would totally bust bottle wine marvel awesome butt thong scrunchy best part whole really care format hard follow say thanks take seriously old seem place tried another viva video think another one cover picture viva deceiving look young upbeat start video old school one full routine could stand free get pay dialogue weird supposed explain super music lame workout really easy think maybe senior also verbal weird begin slender woman wearing printed singlet methodically pedestrian choreography stretch folding laundry flossing teeth routine combine morning get getting bed video material could understand saying like video basic video one absolutely verbal cartoon character like clothes pin wild hair video aerobic owing lack instruction bewildering think rented video music video also felt though rather quickly rent even consider like parody bad aerobic video wife burst laughing done impossible take seriously video music keep moving stretch look child pose counter productive suggest video dont work need learn stretch really good reading body language besides lack instruction video shot like odd extremely funny watch sent straight back high nothing going use tool old video woman running place really long time explain warm together bouncing outfit odd must say given cover picture date woman bit misleading unless let laugh workout scene party skip one come long way baby agree reviewer first confused add leotard circa wondering watching wrong video must converted maybe even format include though worth trying since free fashion boring rent waste money keep interest really idea tape looking something equivalent video animation somewhat also important good feel got good stretch done viva terrible little trying show supposed stand fact audible workout would good would flow audible cue painful watch basic old boring even get first half basic watch trailer first buy video sent bin sorry bought step basic music lame early content old outdated bit fit need one better music must like ago instruction three ladies never speak workout one workout ever seen glad rented purchase plain corny old talk get show next move quit mind speaking much repetition boring step repeat maybe spoiled live step class ago painfully repetitive never get couch video may fine even life video would even make break sweat long time exerciser instructor found follow fairly enjoyable quickly little weird like going back upbeat workout old fashioned talking music didnt like video ing either would recommend something current would cultural historical mostly brewery many looking forward watching one current old current happening video show boy get excited go universal summer somewhat superficial real scenery would like see best classic beach unfortunately video link general video nothing beach hope someone fix thanks felt like watching home lots video riding needs wow really like movie bought sadly bad movie almost every aspect works look good time find straining focus unable see going one big eye strain wife terrible experience movie top script carry voice horrible passive fabulous wish bought movie complete loss many people seem think good movie glad used loyalty purchase movie likely ask refund unfortunately time watching show care amazing w class picture quality bad yes mine ray option play ray pretty boring dry monologue lucky us point fish say daddy mommy look mute would funny unfortunately make whole min maybe wife bed nagging put muster try find also ultimately disappointed big white sticker back case reading promotional disc individual sale wow yes supposed gift one little wrong would like see disclosed accordingly future explanation sorry negative review feel led similar review received product please help like video much expensive please live make order many time received yeat whats happen bought looking look sat back put glasses nothing us beautiful colors much better doubt ever even watch movie waste money like received accurate point film terrible got throughout movie heed negative setup b sitting away enough justify purchase sadly last try life planet earth ray look much much better unconverted maybe better active shutter passive pop tend ghost excited receive video never buy one watch however thought would great share family like said one really good pop scenary great several depth hope someday make great lots show also price expensive less hour video mainly product thinking video ray get full like best effects awesome thought would based even told granddaughter new ocean video watch well image need glasses maybe another really ray certainly ocean interesting effects stuff could easily cable put disc player got people bad lots head hurt early trying focus thought something wrong player could focus center screen usually theres one fish look intentional bad idea little bit depth nothing really comes screen watched something else make sure equipment movie sorry original order mistake look close enough time movie barely would good younger seller shipped version covered area manufacturer printed individual sale assume part pack case buyer beware merchant beautiful work art get wrong extremely short movie much tax probably per minute watch stick buck whole thing might better see big screen cheap visual quality good overall boring even hold interest best bought based give yes annoying felt like watching really long prius commercial understand climate change ocean guilt trip audience carry audio track low music track making use sub really screwed experience front also concave window crew shot submarine bottom screen rounded screwing outstanding potato cod far best single shot seen seriously face away honorable eel farm sea really think seen best hubble great documentary incredible production read attached movie since even wasted money careful description movie bought loving husband reading wonderful colors truth beautiful vivid spent time various fish instead primary focus sea sea none anything husband anybody else watched us people ask us turn eventually eel get much least interesting change colors love actor little gleeful narrator pretty odd show particularly entertaining looking something effects expect national geographic much better job showing nature entertaining fashion vivid colors pretty much talking movie care much thought getting full movie documentary type disc anyway son although could get play due blue ray disc play rented movie could see movie sound quality poor work spite reviewer item fact play get version listed ray stunning footage worth price even hour feature feel like water short enough research product disappointed hour long feel like forget fact paying get left wing washed comedian like well spent fortune think better job finding narrator senile like watching filmstrip th grade remember except oh wow factor times good also times overdone blurry result mostly kind boring rather dry long also expensive far better spend money show huge fan many fell bought end getting headache owing horrible parallax cross talk almost convergence felt like squinting illustrate mean focus forefinger bring close eye fell onset headache sure best water horrible almost underwater surprisingly convergence issue seen handful water otherwise narration colorful want waste whole film last less nothing exciting whole film scene cod fish reach folk beautiful color great either film boring glad make short got worst ever seen reason star review based price bang buck priced way high minute show maybe would gotten think would deserve matter also good good made much shark scene finally got disappointed shark never come screen shark scene short went get refill drink would one scene thought decent job coming screen felt good depth like jump provided movie sorry say could sell lose deal would chose movie step also great wondering step better people wrong someone wanting good say based seen best seen yet ray movie couple good pop screen even title menu good effect would highly recommend title tron lot depth really pop screen would skip title first real pop still enjoyable th better first still pop broomstick ride really enjoyable though fence one would say enjoy get wonderland really depth real pop would recommend unless like movie always better carol good depth really lot pop nice movie watch would recommend unless like movie good good depth movie really enjoyable lot jump would still recommend movie content sea see review would recommend unless crazy ocean life picture quality good good depth way short money wasted time product work unit return really know work many interesting colors living beneath sea movie found unusual stuck whole time although appreciate fact cuttle fish shy rare grew quite tired following around spent way much time mollusk could much perhaps active reef looking snorkel diving adventure disappointed help ray ray pack disc package disc load player play version missing disc really best undersea ray collection looking forward arrival disappointment pretty much movie ever felt slam review fact terrible water beautiful nothing wrong water however majority around field view around screen blurry something alignment process crystal clear portion picture underwater directly center screen definitely screwed something underwater process also multiple simply cannot focus bad usually overdone tried pop far actually separate blurry something went horribly wrong process made way deliverable product none rest problem definitely vision perfect top notch hardware none problem one big fail aspect product disappointment sound effects added underwater ever put underwater show disappointment narration surprisingly boring mean real sleeping pill narrator idea even like fall asleep poor guy read seriously terrible disappointment boring really many glowing people must starved entertainment really good entertaining ray nature one grab doze need short really short show definitely worth money due lack content alone also note one note short disappointment annoyingly preachy global warming garbage keep reading never mind throwing equivalent worth pollution solid noxious greenhouse atmosphere first according global warming logic everything truly fragile dead know still one eruption come dead oil spill japan nuke disaster silence environmental scientist community duly noted class watchable fell asleep twice first big deal really never fall asleep like got pretty bad actually bother get slam movie biggest rip big ticket anything show film narrator p u certainly hard ignore total lack skill genera sure worse life series would anyone purchase life series edition version available please stop famous people narrate famous compare narration video private life video b narration seem care though far everything ordered one know problem would really like get stuff order ordered item thought blue ray appear seller never got response lukewarm video ugly fish comes good disk really boring subject fish eating fish movie put sleep narration fact found voice weak music totally also found sensitive finger disk even small smudge would freeze movie never good thought would quality film thought gorgeous seen effects excellent image really however really deeply resent false scientific data included pay used political take control people government power propaganda surely seen young well ill informed people put forth effort investigate believe global warming historical reality certainly layman skeptically climate change advocate carbon dioxide average temperature data see climate data last century two science retrospective show slight long term global cooling dramatically recently statistically significant whatsoever average global temperature change dramatic gas simply correspond way tiny rise warming last fact earth little ice age period warming world wide decline west industrial revolution finally necessary basically beneficial almost organic life throughout modern history political claim represent exploit government media dictate majority belief inevitably lead anarchy tyranny loss liberty dissolution prosperity stable video another example use fictitious data self interest driven emotional gain political power people redistribute wealth among something young uninformed exposed without information offended politically intellectually independent person old enough learned ill advised ever blindly accept politically correct popular thinking thing fact truth able watch v thought glasses would work used prime took forever load stopped every minute gave video took us least complete waste time first series hook keep watching great acting unique story line series working modern day subversive acceptance gay story imagine watching movie story line eastern city people concerned could lead people moving city reducing tax base work would convince writer movie trying promote agenda later war leave feeling love series many constant every five give done watching rental prime may well interesting film stopped watching spoken foreign language available think would video information somewhere since speak decided continue check try watch get audio tested kindle fine get sound ran problem concert else always fine sound video wish knew problem plastic plot terrible acting series lost allure could intellectual tried collect every starring souchet excellent like new different never get watch anything try watch know renew prime stick change end absolutely nothing like horrible good though would mortified definitive production company responsible could probably good job text telephone book even many us would want version telephone book great mystery writer murder orient express death murder roger even great collection include majority take example yellow iris argentine visit hastings bistro place one given opportunity solve later dinner party absent murder victim course meet bistro murder almost repeated except time able use little gray thwart killing good right wrong host leaves table inexplicably vocal performance performance still progress waiter order get deed done disguised waiter mind formal dress going around table pouring wine poison intended victim drink slipping glass vial poison breast pocket person killer blame according speaking waiter know anyone one else notice member dinner party leaves table notice would certainly notice someone slipping glass vial poison front jacket pocket believe matter invisible hired help would notice host suddenly absence making believe waiter matter interesting stage show upper classes era unaware help maybe deserved adventure tomb another dud based curse king tut tomb story group opening tomb long forgotten first guy tomb suddenly one another scene case neat except reason whole business written drunken frat boy party know u k even registered court formally scrap paper handed drunken party would hardly hold court thus motive goes right window besides unlike many existence kept readership unless one gifted second sight one could even begin guess murderer oh pretty much know murderer right box whole purpose story course dun production first rate joy watch majority set suck acorn put classic collection great set prefer get pal get series order latest series get need player accept type buyer beware fan likely collection available package good shape expect anything however finally got around discovered disc one cracked beyond use one day return deadline far go good always role seen always though love however since many give better information content simply quality video reason specific episode really grainy exactly streaming little cost annual fee mere pittance use language saying know one good quality wise watched previous two season prob almost like old fashioned film always acting done setting series truly high society life guy lucky break little credibility bad golf swing scam trying take money joke golf ever seen thank god wish could get back want good laugh watch actual subject people collect potential interesting sadly documentary simplistic naive treatment subject one point documentary someone antique genre antique ancient precious include genre mass produced tin axes prison bobble gum machine jewelry like book library shelf group comic psychology behind hoarding never end film document string disjointed without meaning never ordered tape book whatever program episode program episode exclusive inappropriate share image humorous humerus really mean say tried like style comedy sad pathetic thanks correction season one got hooked consider season two absolutely brilliant season three different show something writing something actually buy almost unwatchable originally thought show free prime found preview still know penis vagina someone please update region justice addition must region one prosperous recently one best live mention alto region much film film ever hear council took place per usual good king story movie treatment seriously ever get made good interesting production value acting bizarre think know burke trying achieve completely performance smile completely place story rest film sincerity short dark comedy movie boring audience never given reason sympathize antagonist awful several learn movie winking always appropriate pie deadly wife always screwing doctor never give receive road useful neither movie good day pray watch free first let say potential ruin immediately bad script bad props bad everything mean bad scary watch like eh whatever one whole movie like guy going die lack ya know dying main character boring disgusting act like insane monkey brain tumor interesting character guy sadly king make story instead rest even though tried best script pretty sure whole script one word rest inconsequential completely nothing story story incoherent line make sense even try make since excuse make upset give headache watch like one mainly upset one everyone saying good opinion surrounded nothing good movie even saying bad never know good could decent script director camera guy artistic value physical emotional e story effects intelligence put anything character development maybe un development shadowing behind curse nothing erroneous information well done get point advice pass ate one people rate everything good see love one otherwise watch anything else mean anything seen handful worse one readily available normal viewer dislike film already seen would work needless say would cost much send back plus get percent use seller anything unfortunately opinion one worst king thus far excited see always big king fan however beyond disappointed listed horror flick horror acting definitely would recommend horror movie seeker cheesy story description hokey way movie someone waste time unless looking purposefully cheese worth time never watch something little interesting movie wasnt bad didnt look real actually movie u worth price amateurish best fat chubby guy try hard movie name believe horrible actor movie loudness hurt fast forward voice gave headache movie horrible opinion honestly bought worked synthetic cinema worst movie ever seen acting bad u actually hate life bit bad horrible job please dont make wow turd love cheesy one painfully terrible group community drama club local junior college could given better costume like cheap gorilla suit although get props face pretty darn good oh also get props trying go original plot usually pretty much around moving urban setting least tried come something original bad cool monster face enough save terrible thing worst part movie pair stumble around looking fat screaming one especially annoying ten kill avoid one unless self abuse want waste hour half life cult film doubt understand assault aspect title shortly film movie basically assault precinct small band trapped inside police station good theory really home movie type look look quite dark also pointless unfunny side plot two film see spend remainder film catching camera like every horror film cinema verite moment two film people street seen one obnoxious extremely unfunny obese constant hysterics tad bit gore throughout nothing special huge letdown like rob zombie gorilla suit one horrendous scene woman going hand hand combat done speed slow whoosh style tacky matrix yet film insist every action movie bad budget movie imagine technique movie sure done humor really matter funny hopefully seeing big little china time soon well let first start saying movie could better company would shelled money better story acting everyone movie horrific know picked could find better street upon reading see movie also starred couple video name kelly well pretty much normal person cast star film tried best good well see originality style kelly acting style dick really hard imitate gave shot really dont movie career opinion believe star movie bad say may one step straight video used see production little higher acting bad extremely like human like like drank much red bull least ago bad tried story kept interest nothing high octane junk every cliche book seen trust yawn reason end prove predictable good gratuitous sex perverted sex murder bad galore single person want living neighborhood let alone someone waste time bunch never seen hope found better work pick film looking something different much available suppose overly salacious bit throughout jerky real similar acting poor best story bit kilter perhaps quality much basic interaction wholly unbelievable quality video least streaming movie poor kept wanting like never could real value intrigue real reason watch waste time better stuff saw beginning movie like sexual language content good drama watch knew watching beginning disappointment worth watching give movie two main basically actor sure best shot bad unfortunately film completely time nothing whatsoever advance plot supposed horror movie sit state tension watching confusedly hero car room spaghetti numerous phone serve plot purpose book piano music room dark plainly see unreadable poorly play piano flash camera spaghetti think going incident ad time hero mysterious book apparently history people one paragraph ceremony desperate something anything happen even remark hero apparent inability read silently instead loud point wishing manner misfortune hero end boredom even quite time anything apart viewer wondering handful supposed college score really gorgeous house trash time first incident viewer left confused hero apparently something upstairs viewer hear anything hero water gun goes upstairs nothing second incident apparently light switching hallway point movie zero zero plot advancement viewer thinking confusedly waiting hall light seriously least later actually hear hero sorry even hard work save movie unfortunately time anything actually movie imagine given turned water gun subsequent add note probably unintentional amusement along fact although apparently willing face home invader nothing said water gun becomes said invader bathroom back bold water gun armed exploration dude knife poker vase leaving house calling police never occur even plainly several seriously movie could decent minute show slow boring part remember watching show growing thought try son two highly disappointed ended turning like tommy selfishly whiny threw like watch act responsibly respectfully watching k hosting love fest cool little black history month opinion neither yes less liberal well show real black difference throughout history know like king carver b many j c rice colin guess point black history month towards left leaning everyday black person works hard like rest us want certain ideology series love anything fashion design picked decided see travel prime instant video say great travel destination program extremely listed historic although information provided female voice correct cinematography made show like old corporate video sorry say seen better made posted year must originally shot based clothing hair shown poor quality date worth could rate zero would much information video checked time gave brief description area absolutely depth information need decide going think pointless love episode another way get money us think already love episode pay wish could get money back thought would like face ink master kind episode totally new build get know end season face ink master much built chemistry tension people whole season format show boring previous show host really like one another simmon little realistic felt like show different first two feel like disappointed granddaughter think like really season free prime son show watch refuse pay episode year old want please remove account charge make purchase watched review mandatory would expose daughter new least math incredibly show found educational value look super behave trend alike follow super everyone else healthy community filled ordinary people part community anyone endorse mentality accordingly given one star get error pop even tap times error matter annoying got son got could watch time works set start watch car whole point b fairly low quality show preschool seem like however definitely show want watch together son show watched season twice maybe lost count problem first watching someone either watching entirely unacceptable behavior streaming entirely avoid wish could see closed subtitle profound deaf hard hearing audience meet dull show flat weak lame plot glad buy show self indulgent silly post modernist garbage see anyone consider entertaining waste time unable stream prime apple unable watch disappointing stick series funny interesting remember disappointed minimum word usage watched little could tell right away show interested watching series witty tired old dull insight puerile many better watch days disappointed closed know theme song goes got dialogue instead almost minute early please fix review feel though item truly feel though help public help help saving precious time anything watch movie better anything learn something gain group already generally knew story nope big nope basically walk around play sad music eat dude movie worst movie ever watched prime lot bad horrible misrepresentation historical well event goes beyond creative license disappointing effort dont waste time guess something good bad bad movie title misleading disappointed maybe use coaster would see coffee table want toss best job party seen party good single documentary better anything famous brother ken ever ken good first got fame civil war maybe ken basically ken tell us whites evil sick could watch five ten war neither strong republican democrat hate ken disregard territory fact world throughout human experience history war good bad write history mean correct lost battle event time give advise ken selling movie current political correctness streaming back low way stream full season reasonable cost guess cheap last episode worst disappointed make sense something else burn reason bought last episode bad series disappointed especially last episode watching quite disappointment would recommend season watched clean past one many felt see see series overall however final season lackluster best even best really nothing task merely watch episode ultimate ending yes ultimate let poor finale series went watched show record got recently mark opinion somewhere along line lost brilliance mark see got much better written directed show without doubt weak ending show made doubt whether rest show even good good must left drama king drug addict really nothing personal strategy underworld season said much therapy everyone therapy stopped season seem lost season guess watch good tony heartless criminal addicted luxurious life best fellow high pompadour toupee also portrayal horrendous men general good example younger generation relevant today season potential leave beaver speech complete sum imagination block dam blockage skip use time braiding butt cat definitely entertaining better use time wonder ask anyone jersey misfortune meeting jersey oh yeah exit sure sorry paying stream season fine season going work watched entire series writer social anthropologist watching entertainment lesser experience show general final season slow plodding anti climactic capped final episode disjointed suspense definition show every murder act extreme violence total detail beginning end nothing left imagination sex even bizarre perverted full exception penetration gratuitous sex violence storytelling yet series cheap clever enough pull center final scene lame cop given explicit nature like many saving grace sometimes poor writing weak story quality acting cast great could read contents cereal box script average viewer would still many people series much found boring take breaking bad orange new black day series turned waste time main ingredient throughout entertainment never really ever review series would five good case would one star first anime series ever disappointed case came decent condition little scratches although much worried condition case two even work put player play fine right commercial go title screen wish would way fix seller would send faulty replacement would greatly fantastic however play properly could still watch bad quality price dont watch show lots potential beginning character focus really hard care since hardly spend show also completely pointless way relate story main story arc good focus enough show interesting art style always main complaint show super lame ending build day saved something could read cereal box review series whole soul eater one rated anime come watched back never thought would go anywhere ever wrong honestly idea people see series fact nothing seen bleach fairy tail one piece heck even dragon ball z animation series awesome rather overtly simplistic drawn year old take word pause given scene frame take look hair clothes background notice lack detail however impressive amount frame fighting anyways combat nice fluid fight also well making cool fight many people hide animation behind style personally see way anything style made appear anything animation thing anime nothing hand drawn moving frame rate background course appreciate spend lot time hard work conversely really care show like looking plot best leave series alone deep series story behind everything important could start series anywhere miss much way plot device anyway read review said series best ever say offense probably watch anime cutter seen since harem style anime problem lot even likable black star anyways lead character alright nothing new towards end course situation courage something like guess series found like death sexy witch cat girl try something interesting people also people people jest fun idea also one seen anime sacred blacksmith ending series cool fighting better series watch much better animation series depth ever like something kind plot look else could condensed series animation bad technical level definitely good take get used would allow feel sympathy case got cant close secure need pack better thought movie definitely movie clips stuff like movie fan movie least could used different use going use even worth time spent watching could get time back would better spent napping magic original movie feeling chemistry cast still give couple look final actual movie mistake getting interested though good movie blah blah kind waste time movie much better boring hate seeing made like going watch movie enduring large number zombie come conclusion seen one zombie movie seen big deal behind stuff nothing great thought going cast aware bad found information hope upgrade better search give information anything unnecessary like tease recommend brown always good look away miss never get time took watch back say even time waster give credit good company trailer actually funny got used copy sign watched terrible non telling get better said minute mark took player pile crap give away people like well wait see movie well guess wait bit since however think everyone else item paying attention appear talking actual movie black dynamite whereas minute movie one reviewer saw film festival ha hope actually saw movie little hopefully review save time thought see actual movie black dynamite movie movie entertaining enough enough blackness think whole production felt little would go family reunion thank watch good chuckle thought full movie even watch want put minimum word count really content lot footage really sure even buy something bit fecund typical comedy long minute half long two live performance insulting white people matter fact three quarters entire stand performance insulting white people anything hatred bigoted racist toward white people thanks gene pompa manny opening bigoted people worthless presentation image entertainment fairly accurate account place community due oil boom partial particular point view exactly oil industry comes benefit whether one mineral property certainly landscape thought interesting right documentary extremely slow eerie kind melancholy music throughout atmosphere think film mind would show finding wealth oil would bring bad would like learned shale technology extract macro side film micro aspect life small community really bad documentary time whole lot guess seeing information research would made documentary better product shown hour long really long kind scam least twice caption person talking air force colonial secret air force new aware hard take anything seriously spell colonel whatever rank worth watching rest short film attempt supposed alien abduction get due poor quality white mountain abduction instead home made documentary dating new york city totally wrong video trust get betty barney hill story show dating new york documentary read first informative get material easy disappointed quality content wish someone would great video dyeing silk unfortunately title best part afraid recommend video amateurish little useful information either experienced novice dyer lots extraneous could left lots time wasted going technique low quality production got third way video person operating camera needs zoom viewer see colors artist ditto seeing colors spoiler alert like smelling poop love big pile save go look toilet watch equal wise man said wow although acting lead quite good although film doubt considerable historical importance hold well modern eye many seem stale many overdone clumsy video nothing new content analysis worth worth bad acting make effects like precursor flesh worth rental actually first film watched theater sure left dare watch effects terrifying back rather lame tongue scene still unfortunately save stupid bag handed door sure would worth cold cash e house exorcism know keep watching seen people found anywhere mediocre bay blood utterly unwatchable black yet many people know taken keep trying woody said may finally found movie put forever e incoherent rambling badly paced one list talent ever experienced movie would best piquant odor burning celluloid give plot synopsis movie well nigh impossible titular delicious b movie temptress eye wealthy perverse chap mannequin fetish blood lace tour foreign land car chauffeur last along husband wife ride count monte sylva forced find shelter mansion countess third man oh far mighty fallen may may league diabolical seem taken much shine man wish given cast mention well one thing could say movie like vaguely quality usually stable least one turn performance make movie least marginally worth watching almost stale lifeless possible simply put every conceivable way awful awful movie easily place worst list saved zero star status simply overtly offensive finished watching unknown reason avoid like plague movie stinker please waste time watching movie pure junk historic accuracy interesting plot p brilliant epic novel cross major much better seen film afraid much blame fact intriguing script turned average movie laid firmly door sadly direction barely step wood unable use limited budget best advantage addition terror long film flat two medium close early medic sequence camera obviously moving around circle make set handful look substantial miserably worse handle action great effect audio commentary cut laser disc awe apocalypse led slavishly imitate rather innovate every comment disc shot cast member piece make inspired apocalypse trouble millions like funded local bar course made brilliant documentary hearts darkness obviously still river long went home truly gifted documentary maker compose dramatic shot action mercy rather hopefully someone able salvage remake premise justice return best making great rather bad fictional one point narrator talking parlor shown screen another example shown narrator war narrator questionable smiling sad lived japan never also segment devoted fuji entire time lake show peak oddly put together travel documentary done better job movie although title movie book forewarning anywhere movie like might german speak german needs corrected want back even make theme feel gritty mile annoying like stepping dog foo mispronunciation numerous inexcusable distraction made watching program difficult deserve better narration video fine good information useful one third stop turn bagpipes never stop distraction dislike bag hearing play non stop trying take new information much noise luckily see occasional bagpipes decided quasi documentary must contest choose boring tiresome narrator monotone wear glaringly incorrect fact bad one point stopped film double checked pronunciation wrong gave lovely photography well turn sound video fast stream narrator pleasant clear voice repeated mispronunciation greatly experience narrator good clear voice idea many pointed pronounced almost hurt hear wish someone forethought learn scot also even though one name sure people familiar culture probably wondering meaning good way poor cinematography sound well story line waste money least thought gay really type ego tripping movie lousy script acting direction telling roll flap arms junior high school film project national release everything movie trying give chance thing got void life never get back learn mistake dont save category double aa fully intended awful amateur movie load seeing nothing must pay nothing buy stupid one star many enough bad say hope movie movie plot movie lot talk happy watched half movie turned big waste time even though read movie attempt explain real world entering erotic dancing stripping profession one sided least watched finish telling several providing little employ men go thus opinion story incomplete provided almost new information world erotic dancer minute video us walking really knew general history career thought video might give bit insight actor life sorry report could tell much relationship gay man father neither wife watched learn seen jungle book learn anything sure point video lot time spent staging waiting snow definitely ski video ski vacation piece probably worst ski video ever seen maybe action standing around brand background would better take actual ski video compress instead full length video call action ski video misrepresentation minute mark man speaking directly camera people people try live right right even people would god let someone working hard try right suffer well special needs little girl six old severely retarded days god pastor working hard trying right trying live life integrity come get retarded little girl like sure know one god show us meaning little girl life show us reason let happen us learned couple one learned god god genie lamp one learned certain character god develop father without tough times hard times character times know work three days week gym learn get strong laying couch got broken true character believe one learned little girl certain growth maturity get doorway suffering way get look great men god history one thing common times deep passionate suffering god sent god used anvil pound men god actually happen think better man today better husband better father better leader touch people pain better able connect people pain compassionate man better person suffering six little girl like admit like suffering nonetheless true want take advice someone god made child retarded help teach suffering lesson video totally doc promising dont get wrong sorry lost family holocaust story told boringly doc also foreign language didnt help either deeply spending money see shown included actually lecture would happy listen book tape falling asleep advertising audio piece absolutely visual variety worth rent unless really hard cheap quick barely entertaining clothes would gotten one star less cheesy plain stupid go nudity look else one tribute cute depth looking bunch clips together little historical cohesiveness savvy buff try name brand looking learn raise energy video basically video interview energy healer got interested energy healing people wish would put trailer something video give idea video instead small vague description description rather misleading making think self help video really wish could get back total trash special effects look like location like live action small apartment wall call back drop tell everything need know production quality focus cheep script dialogue concept must angle dust good someone made must like make hard people take seriously fact take seriously would watching like good made people believe certain look like one let say see anyone else world watched video day thought would first reviewer close anyway thought would difficult watch first entirely fortunately ten periodic would occasionally pop help follow along video traditional voice talent likely random old man sounding much like restaurant like back kitchen musical score traditional guitar whatever always hear nice first got awfully redundant almost irritating towards latter half production green screen effects elementary quality background cold uninviting nothing like gray overcast beach subject true form elderly nearly old movie production entire flick repeated demonstration series two dozen took approximately perform full painful part movie watching individual skill exercise broken slow motion narrator detail actor important teeth grind abdomen massage comb hair thunder back head see would specific benefit feces think good general health agility get older appreciate idea really something watch video pure crap pardon pun impossible understand worse yet specific feces titled basic plenty better clear point one think titled feces thing get attention marketing believe positive fake imagine positive must come people director poor predictable sub student film upset deceitful marketing technique used push short film one real reviewer gave short film one star every reviewer clearly directly indirectly linked production hell frame probably different people posted saying tough trying spur thought see potential film anyone involved production except blonde girl doctor possibly could pull career maybe although content interesting narration dull say least enough put sleep properly elementary school may enlightening also understand wall movie told watch even set threw hole thing bother one must better like young couple carried video camera everywhere vacation make video go days said find giant alien rectal funny film quite possibly film ever made unless completely new guitar video useless read book watch learn free beginner already knew pentatonic scale really cool ways apply real life rock session video gave exercise seen ton times ready something special beginner say disappointed although appreciate attempt put especially subject far project clearly without effort say dismal piecemeal representation excellent character life booker hopeful something worth watching within shaky camera work looping skeptical would amount much camera turned television screen record already segment someone work gave entirely boo cannot believe spent money stupid good way movie compilation smart much action give star writer credit music better type film black ladies agree also sexy film taken side view making little movie less video camera made dizzy amateur tripod around min movie shaded angle warning playboy much explicit much better free gave easy look moving call move worst ever seen wast time life movie good information actual music bit let nothing great waste time movie plot really material interest like took camera high school film bad flick one worst ever seen one time show watch one time thing buy pay hate one click never would authorized built safety kindle fire one worst ever seen honesty much review led think would horrible much say kept waiting something catch interest gave housework instead entertaining like movie forced get end ticked ending worst would recommend boring lame random people would recommend anyone order request need prime rip boring man locked could get feel much pity especially small watch long disheartening show care continue watching work goes free woman could marry stay husband life prison wish two best however one thing sit well wife biological child husband allow conjugal would allow semen travel across prison believe supreme court said marriage fundamental right however absolute procreation let face raised house one income parent never free likely face lots poverty sexual common man goo disease woman like keep husband money would take raise would come state aka tax think could argue way punishment prison contact opposite sex along perhaps forfeit ability reproduce already far million alive face easy bailey big heart parentless child already alive could greatly benefit parent foster parent short woman wish going happen would set dangerous costly parent identify political progressive sympathize folk prison going happen prison need accept interesting thought would guess get would someone never see outside need someone one medical community talk stress health men worth option stay prison selfish show supposedly parenthood worst ever lived nothing like saying front child supposed handle lesson parent director needs tone horrible especially autistic get new know say could watch five would definitely category see find series actually actually second season full intrusive music show skewed portrait deal fear impact may unsophisticated suspect audience since imagine educated person would watch came across channel thought would give shot waste time sure watched first episode interest watching rest season cannot think one thing show funny likable know really like show episode really struck nerve asperger two asperger father uncle brother autistic understand mother emotional raising son suffering disorder disorder unique different work differently since different bad know show feel like asperger awful thing way telling people asperger something need work rude spectrum need work neither anyone else normal normal beautiful thing show heck thought supposed funny wait set kept getting logged reset able finish watching one episode boring even watch whole set immediately could get movie funny show gave gift received call niece husband saying trying watch skipping bad could see disappointing something looking forward getting going order another one hope better live town able get one back return going cost twice much man show good show people home school know nothing real society better watching awful good poor character development poor writing bad show extremely annoying little supposed like think cute apparently finish first episode nothing glaringly wrong entertaining acting fine plot watching really give revue much credence since lost interest first episode much attract attention exhausting writing got way good acting struggle watch another episode get interested fully understand going like portion episode bought present mother get around watch st disc ran perfectly got interested series however second disc repeat first one useless ran whole disc repeated first one could return past return date policy disappointing family religious grounding telling child masturbation number part growing immoral bad sin lust use normal making show opposition secular culture instead bathing immoral culture around us idea evil show absolutely terrible example humanity made half way turned parent could relate chaos probably give second chance felt opinion jump around much follow exhausted looking show see pretty good family show much sex bad comedy fun looking forward watching got turned pilot good like story line chain realistic one stupid make many frequent obvious life also know classified comedy section comedy mainly drama although pilot heating sure lie good show fast enough comedy would consider drama family like copy modern family zoned many times dont quite remember pilot predictable engaging irritatingly little depth leaves flat best completely stupid though many nothing like might little like unwatchable get rid show would watch much dysfunction something family friendly disappointed might script lord name used vane every sentence watch husband also thought many keep low rating watched first show turning lame us time waste drama good talent ridiculous want something uplifting much ask apparently days found writing dismal device device made use plot propulsion character development leading remorse leading reconciliation season one one six episode stretch season three slight reprieve tedium relapse give acting good tone becomes predictably monotonous totally run momentum opportunity father best better sad ever cannot believe made movie poorly highly disappointed disaster movie really type movie tried really get would preferred another movie blah new whole watching impression movie hold interest would better interview find interesting guy kind really go anything new comment wrong wasnt hour long talk many times us potentially dangerous future due aggressive nature want laugh us think crazy race tribal warfare biological running biological less innocent video really rented interested whatever name recently type yoga curious link phenomenon star due false advertising yoga interested yoga journey ana brett p usually prefer dump someone work badly done know begin video production horrible audio badly mixed soft one minute music blasting seat next first essentially music video introduction explanation connection program material video narration totally disconnected virtually connection whatsoever like worst music video possibly imagine music also absolutely relation narration completely disjointed production badly done bad production could partially content compelling even close narration mishmash poorly thought misunderstood thrown together rambling nearly incoherent manner complete lack focus progression information introduction discernible plan line reasoning follow narration basically series headline like clear train thought reasoning develop back rather diverse terminology around like control lawn sprinkler usually incorrectly stated display amazing lack knowledge science metaphysics common days new age lots flowery real substance example statement made effect space keep apart also stated exactly alpha theta true fixed somewhat arbitrary certainly exact one point stated frequency later accurate also note key frequency used interchangeably despite fact different narrator frequency earth human f sharp never give exact frequency hertz per second f sharp name musical note many different depending octave tuning system used one point also term key f sharp yet another thing altogether also term limelight comes use calcium carbonate stage lighting involved heating flame rubbing stated video short badly produced video information worth wasting time money try ferret noise pass quickly rented wasted hour life oh like narrator accent video made think salesperson home shopping network sell like never really know everything product keep video like massage maybe know lot poor teacher could probably get lot book saw movie many many ago somehow stuck mind see gain somehow remember wish never seen old enough seen came poor copy color washed beyond sad movie masterpiece print experience poor sorry bought save aggravation quality digital version absolutely awful pretty tolerant probably pull two transfer made tape frame movie inside much lower quality sound left channel color significantly faded although may result original source material since way watch movie digitally really really disappointing movie poor video quality instant video version buy version following washed color extremely low resolution x picture extremely small scene bring video quality someday someone finally present good video quality version fine fi thriller waste money turkey wish remember see really curious anything wow bad bunch running around set music educational video narrative completely film personal documentary benefit watching film last labor switching woman attitude horrible understand wanting intervention family badly worth money waste money movie show rent buy cheap knockoff gone wild even worth price amount pay less length less similarly priced video worth much less movie see anything except white light movie see fall way short movie like gone wild want think tell want thing like gone wild go buy gone wild worth price buy would purchase ever please remove kindle thought would great watch something fun dancing around naked fun u want something sexual thing best wasted money know guess wrong frame mind movie offer useful content movie bunch dancing around dance floor secondly picture blurry around much even tell going half time say glad rented buy waste time cheesy worst part really woman beautiful hot classy video second team sorry movie play two actually play good would recommend purchase item worth time money never rent buy producer happy please dont watch movie waste money nothing interesting nudity waste money rather visit whatever video interest wasted time money lot short clips club would recommend sexy go wilder joke would make mistake made spending money title take advice worthless flick one dingle think review helpful subject line amount review help pitiful waste time like naked bag ladies street make want go visit sad bad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad sad boring bad purchase lots ass shaking titty showing like strip club nip worst movie ever seen even recommend worst enemy best friend waste time cheap poor quality theres nothing dont waste money bunch ugly trying look sexy fail waste time glad spend money watch thought would dont waste money waste time worth watching video pink thong decent later overall poor save cash much say one maybe three attractive throughout movie film watching one albeit attractive dance pink thong alternating topless chick lying face beach several find attractive handle tequila maybe single two second shot pink whole thing three worth order get movie would someone pay take heed worst bull smut ever seriously dont waste cash see action looking window get real like gone wild sexy annoying loud looking cheap knockoff gone wild even worth price amount pay less length less similarly priced video like slow boring get pass first wish cool give zero rented thinking would funny nudity watch together ha ha ha boy wrong yes lot nudity made movie ever seen watched turned right waste money go ahead say told title would give zero could watch entire thing sick humor funny stay away like maybe bit much dry humor different type audience beautiful nicely shot horrible one liner said rather see b japan bad cant get refund credit towards another movie make happy polished witty acerbic flix instead truly uninteresting painful offensive watch ended movie funny hot terrible almost nothing funny hot min horror waste time sorry known better help cover art got guess absolutely terrible movie even call far worst movie ever taken time watch period never watch another movie making period first two ladies even half way worth looking would recommend garbage worst enemy deathbed really lived name truly worst horror movie eve made director aiming hit right head plot bad acting little flesh absolutely horror waste time movie funny sexy anything vile waste film bother actually people think good even rate b movie terrible waste time money brain one would rather watch movie viewer beginning movie offensive fail tell viewer offensive thing movie offensive result part movie purpose yep sole purpose movie offensive obviously hate religion proceed bore audience trying childishly offend anyone anything get wrong offend wrote review overt attempt offend warn worst horror movie ever really bad horror fun instead movie simply worst movie one honestly call movie like bunch dirt high definition trying show clever well miserably clever entertaining however offend funny clever way much obnoxious way entire point summary think bunch drunk college never grew th grade way ant religion anti anti yes anti anything use word lightly finally think childish would relish review pantheistic beginning alright got worse worse like rated movie fine humor like title movie downright terrible waste money think one thing good well except hot worst horror movie ever seen didnt really know expect didnt deliver way shape form wast money film absolutely moronic piece nothing whatsoever crap seriously wasted money piece filth disappointment basically home video badly made even standard amateur home video made cheap digital camera film student tell almost impossible find low quality digital camera today even looking nudity looking going complete rip said satisfied nudity guess movie watch explicit nudity free last night make better movie day smart cell phone camera get sit stand room ask talk shoot watch movie instead one guaranty enjoy give one star way select star movie worth hate know read title worst horror movie ever made think going bad tell make sense stopped watching yeah bad make mistake made movie unbearable ugly ugly super ugly old turn would even let something like simply amazing anyone could made better video nothing could possibly appeal anyone rent buy poor writing sound overall acting really disappointed enjoy impossible found sick disgusting garbage stopped watching five trying figure remove suppose someone would appeal would want meet person way basic would good young rather disappointing disappointed video thought would give unbiased view issue whether could change become homosexuality unfortunately video hope imply gay god god power change people true certainly people battle get free believe video one change best simply true misleading first say watched try see unbias let say least really count part bias part ex gay movement lot gay needless say one sided picture church deal clearly wrong church love people also stand sin none gay take issue stance tell sin well mine loving way way sin less greater tiring stand stand movement didnt order dont like get please get stuff show garbage taken air teen pregnancy fact produced tell need know think thought show appalling think society teen pregnancy repulsive point parent provide instruction guidance best friend child sex baby skill parent something seem understand society productive parent ability make good teaching mean come nothing novel getting pregnant people age given teens lack taboo teens get pregnant teen shortsighted enough create baby obviously able make good good parent material sure everybody cuddly new baby obviously love enough proven number adult born teens teens create instructed halt process give baby adoption skilled think teens knew legally accountable turned think differently come even anything remotely music used want cable one main cable show certainly good laugh belong glamour given trashy given better life adoption better option people watch really really really need get worst voyeurism combined trash possible trash season five actually pretty sad mist disappointed group working end good left bunch found really disappointing sad see original group fall apart much enough tech stuff almost like soap opera many family enough shop stuff rider machinist bike building much soap enough bike action much personal crap enough bike build wont watch well saw really say least happy young film maker getting deal happy maker crazy film two twenty try give us idea new like try hard worse yawner considering supposed documentary engineering production quality least video poor moreover quite difficult see detail equipment works hand seen blurry poor quality poorly shot interesting lost arcane specialized task railroad track repair like removing hammering bit outdated somewhat informative quality production left little bit desired used every instant video service thought would try big mistake throughout playback stopped completely end episode picture froze completely locking player want back recommend everyone know stay clear service first season southland watch closed like first season would change legally deaf watch nothing without closed first season second discrimination hearing like subtitle second one also rest upset hold responsible something entertainment come maybe someone needs call wait reply southland thank giving voice matter really appreciate please pass company responsible thank received beginning anyone really read pay least attention whole thing tell advertise buy almost impossible find links find certain guess one thanks telling bought mac view bought video program made obviously catch looking harvest much personal information computer making use tried stupid video guess weird reason install even though system still need spend money show somewhere else sucker learn bad experience follow quickly resolved problem satisfaction lot shopping glad see going leave hanging stated forward development team consideration see going continue use alternate recent teens know since six one hour count season even calendar season would miserly thirteen many six charge need tell pitiful worth investment money emotional involvement get six new year call complete season complete congressional reform good writing acting production deserve venue six episode season oh urge include future show thinking give mine free simply awful unless enjoy watching guy single example crap local written save money time really awful every level content awful enough variation style effects mention description never activate timber sound every piece defined articulation right hand soft sloppy every song although slow want music defined phrasing mostly aimless definitive phrasing constantly descending whole exact replication boring video way active music ease fly camera music way mellow camera activity video oh well seen every season real would boring waste hour kept waiting see something new shocking kind saw number top coming jersey want recap real watch otherwise waste time blame leaving show particularly deal mentally ill person rather scary situation bravo kelly another year serious serious following year gone show lost zest intelligence interested replacement people interesting opinion entire season much really love little bear angry really hate show want see movie super close black white pro talking buy want see pro lot buy something else unfortunately disappointed time money film topic autism asperger syndrome indeed fascinating rare advertising language film much could done develop topic realistically twin sister one condition initially especially play art however overall movie felt unrealistic times instead present therapist psychologist frankly like detached laboratory worker limited interpersonal intent intellectual may irrelevant basic safety health times almost almost emotion empathy except particular case emotion relevant relationship two one also condition solve even intended plot way much missing want spoil ending neither find plausible wish could say imagination felt drawn character experience someone movie psychologist one enough substance job partly short partly content even attempt describe socially synchronized world autistic spectrum good idea needs much work get delivery say constructive good content work know know first enjoy animated delivery annoying watch sorry honest review watched lot stand maybe critic seen range good good simple first stopped video clean head give chance get fact cook supposed seeing either first style good first yet never good job know work rather hard stage due mention cute body decent face convincing original looking hope constructive helpful take new direction would look forward dry nonsense lame funny mature audience silly weak non funny positive feed back watching first couple several turned due boredom something else good need like rod man lee c curry tony bill burr episode stunk werent funny talking talking nasty thats today think hear obsession junk would rather watch carlin monopoly hold comedy central funny need announce complain joke whole time old fast issue come might well change name show central supporting besides comedy central worst part pushing onto audience trying make cool democrat could make obvious supporting anyways point obvious think funny tried watching multiple find single comedian funny interesting profile artist life instructional video interested great fantasy artist may slow story could told unfortunately able view product even received error message numerous times however customer service purchase price helpful year old grandson ordered kindle want colorado live since found need let play please cancel belittle bully want learn respect charity towards malice none potty training show annoying educational child thought something light story line would good show child waste time could even sit watch entire show bad love need wash cause look really bad like watching reason video episode get married looking episode specifically purchase thought would good old schoolteacher could relate disappointed looking subject matter good really reality much made drama lie knew collection change fact use season title absolute case false advertisement recently figured would good place get term season used represent handful running around quality standard sucker semantics product wrong buttons love think great making available instant video service unfortunately random put together half episode full particular order like supposed best collection title collection season misleading please change season season season belong know watched every episode till new grown sorry title wrong realize rude ugly cartoon really opinion distasteful four year old never purchase another one teach good solid family rude disrespectful watched would us went tried find cancel order tab find way want everyone else know real surprise value behind ever big waste money disappointed lot money poorly produce scattered collection waste time money maybe potentially decent argument within watched way longer necessary purpose within many scattered light name connect author many good reasonable thinker patience son tremendously funny mimic one word way speaking crazy may limit access even though ruby generally benign negative teasing bullying show loathe ruby series could find thanksgiving episode watch seriously ruby brat wrong return since instant watch work system high speed never first movie got instant watch kept freezing loading forever year old show buy even find computer apparently bit unable find weird ghost eat paper like rat turned minute movie finish error seen series actor thought would place kind cool kept talking daytime like must clause one looking sorry grew burke naked wild screen looking ce history vacation promotion enjoy trip write narration view comedy might rate higher maybe need watch longer billy compelling message tell documentary wrong documentary crap pot might lying good documentary would less author message billy think problem documentary author ego problem really feature really care spread message billy toy flying hovering pendulum motion clearly attached string custom made plastic toy alien weapon weapon course fired movie commentator identical weapon found r us kind authenticity suppose real alien taken picture oh wait like us billy nut case took right arm times row stupid convenient time plastic toy car picture foreground create optical illusion fake made stupidity really annoying gave movie trailer intriguing body work voice incredible told long bearded man whose life story incredible production quality terrible well bother movie sure better produced clips alone highest rated love nut walnut mostly watch much biggest joke ever seen problem believing told people film science got really bad horrible linguistic trainer expert determine whether telling truth although interesting idea see tell truth many delusional people come telling truth question lied watch lie care crazy really see video shocker take scientist see fake one point film going video main guy telling story explaining video man give good idea think radio host beginning film wobbling like string explanation intentional man laugh video one ship disappearing laugh hard watch ship frame think see ship could describe en explosion ship gone last thing film scene show light ring middle alien light ring size car mind person waving around something like maybe thing cause light could go get point really watch need laugh one ever seen might benefit eager find content topic poor quality film watched shut watch later know episode boring beyond belief saw product bought devil may cry crap know fact another series took place maybe would saw series real day watched hey found five available excited missing favorite goes country goes found figured could buy missing available season supposed however available physical disc set please going make available bother thing like show mean earth rubbish like hey get season great like get half drake josh get best unbelievable rubbish release days theres huge demand completely different crazy crazy people offensive sake make someone funny utterly wit intelligence true comic anything turned worth watching even free love music went local exchange picked view stupid nearly price guess fault reading carefully hate offer felt quit go away seen comedy performance streaming thought pretty good one fell bit flat maybe high certainly bad nearly witty previous performance give high minimal profanity stand creative funny without vulgar still purchase next offering overall think quality performer needs sit water bottle drank often content movie got put horror genre mind even remotely scary even bad drama total boredom even searching something scary luck horror wasting money stinker plot see movie subject aside never theme satisfactorily subject matter flat since idea given cursory attention sporadically romantic drama two men woman since little offer beyond drunk sexual courteous respect aloofness one scene three main angrily wrestling stupid even unintentionally comical much like mindless soap opera something three would done movie many times story going since go could see point lots photography flawed since cinematographer strange reason many indoor front bright thus reducing resultant illumination scene maybe three good photo beautiful one good one totally dark two speaking softly overall would say three main given shallow best could story clear beginning middle end deserve even one star gave simply awful disappointing unsatisfying eclipse twilight saga eclipse like movie ever eclipse interesting literary imagination however story hedge plod lack depth possible exception protagonist two recently death beloved wife appear ghostly supernatural presence main character grip subjective illusion movie family grief supernatural celebrity however eclipse deliver promising initially suspenseful bad dialogue dull description eclipse completely wrong suspense romance subtle drama thinking kind horror story ghost writer tormented anything also believing would serious like actually witness ghost real human mind traumatic event instead ghost writer woman similar ghostly activity gradually fall love course another guy picture apparently boxer well two hate secretly jealous woman without actually coming instead discover boxer basically ghost writer stalker ghost writer boxer drunk two worth time one place hour ghost writer bedroom closet scary event place fist fight two men rest storytelling meaningless painful watch shame movie like place either gorgeous perfect horror setting instead even try supernatural setting recommend skipping completely eclipse filled meet star motion picture film optics dark much contrast high quality motion picture story might feel money make would think would motion coming every week instead see great film often regard eclipse movie slow acting good story line dreary depressing ending dud looking watch film great one rent chiller like film drag hell want filled wow fantastic scary motion picture watching close finished watching movie one ever seen would demanding refund throughout movie kept wondering even know main character people around book festival almost halfway half time go somewhere clue going happening could go movie could ask serve absolutely purpose stop want give dumb movie time never written movie review stupid movie help feel damn two life never get back gave turd one star way assign negative movie boring insipid teen vampire stop head honestly generally care little different usual like ghost several back wispy ghost felt presence somewhat disappointed feeling way loss unrequited music background liking different except remember since sleepy throughout two scary absolute worst movie ever seen would watch recent silent movie artist eternity ever thinking watching eclipse story line terrible photography terrible always dark could give one point one star would realistic review one whole star terrible ghost horror story horrible story bad drama got worse went along piece boring individual life strike boring plural sad point movie like leave movie actually made mad movie long boring never would see ghost waste time watching ever wonder never tot drunk non drunk whore ghost film complex relationship father bishop son never shot film wife never film film drunken film ghost film little supernatural content guy mask periodically bishop worst film seen please waste money movie horror fi nut movie plot scheme turned hour waste time terrible movie hard follow weak plot would turn volume throughout movie could hear volume turned would blast seat glad free mystery movie ever nothing supernatural ignorance everyone lost someone love randomly toss couple slightly scarred head make sense e g car seat next stuff room couple brief ghostly apparition lasting nothing please part illusionary compensation losing someone beyond belief also intermingle confuse one story line another artificial good guy bad guy cute girl love triangle added appease certain demographic function supposedly spine tinglingly supernatural thriller finally eclipse fundamental plot story movie probably would film could see turned much much dark watched would see interior particularly horrible bad interesting another one wish wasted time supposed ghost story eerie chilling spine tingling according jacket found none little rather boring love triangle man learning deal death wife musical score pleasant first becomes monotonous dark shown really come across dark photography music create somber mood conducive going sleep rather eerie film may appeal waste good movie three time nothing story think maybe something movie must seeing might however husband fell asleep make one jump maybe rest movie like something quite alive recommend movie movie slow horror drama scary pop really also bad ending us sat watch movie movie ever saw film trailer seen definitely horror drama good one kept waiting something happen still waiting comedic acting good definitely want watch want good scare sorry eclipse hit outcast wonderful urban fantasy picked us distribution bloody disgusting long ago figured see else store solid necessarily prolific producer good horror past fifteen isolation dead meat eclipse cast headed blood benny defiance woman love like thing pass gloomy snowy night unfortunately fell quite flat volunteer literary festival still recent death beloved wife lynch screen appearance date assigned driver two visiting paranormal researcher horror novelist holden holden married cat away got set bedding hand initially possible gateway understanding ghost wife fall ultimately believe eclipse attempt supernatural drama southeast film market fine edge rest world really know unsuccessful though way knowing whether blame original story billy adaptation either possible another rewrite might made bit coherent turned collection interesting full story rewrite never got got feel free give one miss engaging found could remember movie absolutely point movie script really goes nowhere want watch movie great completely pointless sense either go ahead waste time drivel script give two good job mess given give two rest really ghost story narrative mess focus taken main character given two whose story interesting bad pointless could much better learned banner listing may along actual much lewis black terrible turned five old might thought funny really kind dumb nothing clever going bit offensive worse thing video probably decent venue terrible happy adore early izzard big particular video quite simply incomprehensible content never get content audio production terrible impossible distinguish individual know result acoustics inability sound waste money purchase found doubly simply like performer quite sure able hear would performance sure many people would enjoy video one people lot bad noted queen mean husband love stand really get appeal may comedy base would lot listen bunch something tell stupid bar really worth would live able review however instant video viewer need adobe flash apple hope get refund red white brown comedy ever sadly even come close showing brilliance yes quick wit audience much hard core repetitive definitely older either guess race southerner turned nonsense listen one terrible monotone acting awful lighting plot music way call local ask write cast film edit best soft movie three likely forced give one star watched found someone knew wish film found interesting way tell story guy bit legend given history pretty obnoxious yet quite good felt much could thrown film even documentary would painted interesting picture focus relationship friendship peter course even focus long standing feud revie former manager way story told anti climactic leaves wishing gone read read author fictional book adaptation perhaps interesting like sheen good casting wasted film really go anywhere note min video hey free nothing lost except min time bad bother watch lot stuff one terribly put together poor want money back love show waiting come video course chance buy problem feel like alone growing along afraid dark pete pete great made available sort problem order volume last season volume first season mind release e half time wish would order full almost like cheat really documentary good information overall good narrative however one female speaker made false claim even false statement may popular myth among time lie narrator indicate myth fact documentary impression truth subtitle following note remark propaganda leave documentary present state would giving credit holocaust denier history film said nice effort overall fact check every single thing see else bought kindle broke lost got new kindle could see new one waste money time year old show usually interest find boring nearly educational many month old completely uninterested grandson show year old older may like either sure bill still getting us wonder season little bill become adult bill start look old got watching though anything else hi name also big fan cartoon series modern life really bad see season cut first two got cut hoped would finally wacky cut tell exactly first time ralph bighead first episode wacky audience two missing sausage figure comes phone said hate normally phone hear one hit cheese comes second cut phone call cut normally would hit phone shame cut look actual like family guy south park get show needs edit star show one time see season seen interview watching let enjoy movie interview worth watching bet actual movie glorious however min interview movie waste time obvious description movie film pictured short actor director documentary waste time one taken worst movie ever seen boondock well know excellent movie remarkably bad feel wish time visit get money back punch face could great choice could rent buy warning movie movie impossible remove library boring bull crap careful purchase real movie superb avoid item truly get nothing nothing beware thankfully saw movie clip different people talking movie boring dear get act together movie great shopping suck bad instant video want know people give good rating even view instant video movie nothing least honest depict titled movie guess buy reluctant buy instant video would get thing movie even description say come stop saying one thing giving us another pathetic last time ever come looking movie minute interview sure intentionally misleading poorly title video expect full movie false advertising thought going see movie minute interview billy next find movie instant video movie false advertising sale way tell actual movie look otherwise neither title description short overview commentary whatever annoying small miss like going director interview say title like bloody movie fine interview though movie title say behind look buyer wary beware minute piece movie great offer movie interview actor free movie disappointed bad like first movie less terrible acting like even trying make good movie watch memento instead first movie twice somebody f movie way setup set movie prime trial sort first day adventure section page screening free nothing watch even screen pay join think everything else works fine flash like said go tried another movie worked problem movie nearly good first one huge fan first expect huge fan second description deceptive movie ten minute interview actor feature kind thing also erase instant video library oh swell join prime get watch free trailer money well spent amaze people continue produce trash let even talk people watch worth amount heat would produce burned please dont waste second life watching film cover figured potential funny interesting movie anyone another example best movie well written well cast well dream broke flow movie added nothing likely worst movie ever seen life like categorize however wish black rodney whomever whoever good comic movie horrible plot collection disjointed none individually funny stopped watching first minute poor documentary tell anything knowledge homemade doc poor quality rip people spoke boring enthusiasm even finish watching sleep film fraudulently film location interview distinguish way non guy cheap video camera stepped video rambling incoherently politics gave video false title later non people guy beside road woman office boring later guy wig fake beard quietly mock seen five home video nothing like video maker falsely film false advertising illegal maker home video going cost time money irate sue thought would interesting documentary poor quality could hardly understand people saying found many false regarding sorry even rented waste time money movie concept pretty interesting good seem make much effort actually disappear found corny beginning show much information actually keep us really interesting interesting idea documentary hardly anything new thing never get sort know everything apply everybody especially electronic state hypothetical also watched central every bit scattered place even desire instant information find hard job cope much data clearly everything known everybody otherwise lots would caught time director bond vanish period time see two people could find really try hard enough might easily gone stay friend stayed indoors three back yard dark thought documentary hard work music excessively loud predictable documentary style shaky hand camera work close talking bland nothing particular shown move whole thing along voice point another director brief might wrapped thirty much name calling inappropriate language necessary story popularity series unfortunately geared toward younger days video rock band description interface made mention totally one sided view love love everywhere else world director took minor culture exaggerated waste time long boring pointless way point left wondering happening film boring repetitive small hot chick boat stupid fight ever seen movie suppose story line alright combat reach level ridiculousness rest movie movie stunningly clear good question movie excellent regard sound clear rich detail film also good regard note however rest review writing watching movie may give movie away entire actually based around true one soldier army left die acting dead quickly move band leader well another man become new army fight justice three become pact whoever sadly eventually winning several main character leading general short take vital city finish war army fighting eventually begin starve finally taking city hope second leader group allow respectfully surrender fed however main character chained army within city shot several story becomes even disparaging main leader friend sides misunderstanding fatal finally third brother seeing original friend become powerful also evil disloyal pact honor original pact day general become governor friend men fight end original character soldier general governor finally final die movie write merely give synopsis seriously ask point film generally fiction garbage telling true epic must reason loyalty men broken directly well main subject affect history movie made important simply entertain centered around central character main character also publicly executed actually serious point death legacy important part history felt like death empty example actually encouraging somewhat heroic betrayal dishonorable brother see film case ending quickly seemingly rapid succession film personally would want watch alone encourage actually viewer least opinion want anything forget movie seriously reflecting meaning obviously respect film must important point history story carefully film outside importance sanity loyalty perhaps post war mind war better could seen subject much powerful film however excellent throughout area five watching masterfully lighting sweeping distant movie give sense depth eventual end film away starting close bond opinion like viewer great film great great ho sun top form like iron monkey get cut film school student studied despise foreign film cut supposedly western liking magnolia cut film anyway surely foreign ask read comparison find missing cut magnolia ball one bought interestingly tidal wave mean tidal wave town south tsunami chocolate let right one except subtitle remember true film want director vision film version think would want region version film magnolia please make south film mother ray th saw mother amazing way need cut anything film stay true always buy around lot hard follow story get hooked character development bad battle totally unexpected major letdown jet li movie even warrant finishing movie waste time cause fell asleep movie boring much reading never get time back thanks wasting time saw year ago making switch ray liking grittiness bloody battle decided hold ray seeing trailer movie disc red cliff unfortunately unlike movie learn made totally film ways disc player morning going give movie honest try afterwards times border incompetent taking emotional work story even different film add new musical score goes acceptable incessant times movie work well original cut thats say might work seen original suppose many offering un ray say release disappointment fact alone decide buy version picture quality good audio decent rather abundant hope magnolia want see like centurion mother make habit could understand red cliff one much like good watch movie last half sense story one direction course wondering wasted time watching unlike jet li performance decided soon movie turn one ten absolutely good reason new intelligentsia apparently se benefit religion love fellow person say would much better film pretty good jet li always good biggest problem film written choice hate original mandarin according product description supposed miss normally like watch foreign film original language feel lose lot mood ambience performance matter well done also lot actor speaking low voice mumbling listen several times even always understand said thought space hard put hard hearing movie clipped know nothing find version film one major scene missing supposed great battle control last city get running streets narrator saying battle already cut never either way huge disappointment give movie even version ray release one one could fault production movie hell character plot appear incoherently without enough explanation exposition motivation often hard tell happening people talking disjointed mess jet li good job character though hate probably would good movie content wise even thou like jet li lot stuff enjoy movie cause wasnt unless read every word sometimes difficult see thought movie would good jet li case much martial story interesting regardless believe see get ready waste time hey watch lot especially kung fu jet li love film great five cohesive middle movie lost like half hour literally know going army whole movie talk taking presto taken way knew taken random conversation fact though near end coming together profound anything like theme movie kill long betterment mankind keep throughout much blood super violent almost strangely context kind like hey war bloody viewer like yep get didnt watch movie see thousand get slashed jet li kind sold serious action close great acting war great mediocre mediocre nice cannot say much like sort quality loose vague ever draw brotherhood concept much never felt authentic concept film based bloody end watch hero even seen thousand times still better st time film waste money take word spend money see mean save two life go walk outside see chirp spring good movie really think anything good say probably lot point since distracted terrible tactics lack military skill around like even era less par love triangle pretty silly depth love triangle nothing senseless unrealistic action terrible movie around read summary something waste time came hi even quality martial film even close slow moving non engaging movie one enough would notice plot make much sense save money maybe old fashioned end day see much compelling story bit risky main character sort bad unsympathetic guy must say think movie quite care two main good battle way decided time better spend something actually somebody triumph adversity thought would like red cliff terrible movie making betrayal seem honorable sent message honor value waste money four drinking turned let cover fool good b movie college movie made college assignment something free still say much terrible got never know funny stupid attempt humor use pic cover suck really describe much movie found obnoxious annoying also picture misleading bizarre low cut cleavage bad writing movie drinking game save cash buy beer instead like small sequel original movie documentary making thought full movie least free waste money seen full movie great want show hook people full feature go ahead allow watch preview right site instead go exercise thought movie min clip make sure look many u put shopping item easily find thought something special movie disappointed willing compete streaming video e hulu put video item purchase order watch assumed actually short instead ad movie would nice able tell animation question answer session cast content interesting format provided needs little new animation make fun like long trailer movie like might fun really heck anything else say description say surprise ability put even make product like watching family decided worse waste time actually made us less interested movie new marketing strategy use irritating something like actual movie clip something find really long trailer would given single star money free lose anything time interest actual movie bottom line trailer nothing treating like something different made us upset wasted time watching upset made advertisement could made openly available without making buy great movie would say lower pricer movie people buy movie good testing see correct watch computer short enjoy story movie really watch gave bad rating watch streaming really bad sign prime watch unfortunately still much better movie freeze every horrible annoying thought whole movie short preview movie talk made long dont even bother watching happy first know able watch movie find ad waste time waste time waste time waste time waste time waste time waste preview trailer movie point sit watch trailer buy different movie one never made lame lose interest pretty quickly love one bust tried different times reaction complete movie disappointed like would good movie good stupid put something dumb hate take short even call entertainment ad puzzled thought movie trailer free state watched got movie watch really lot movie got actually movie pay attention description guess read though offering movie watch free site ready comfy husband front stupid clip fiasco wonder many like thought whole movie need specific full movie thought needs added prime thought movie pay attention upset lot seen every move last one worst high saying something ever voice animated feature act possible create plot somehow painfully arbitrary trite time actually dislike creation artificial jar jar watch back check flick make watch insert favorite animated movie long talk reason shakers feel good script excellent delivery longer necessary put together computer graphics fatuous humor ship short explaining product planet entertaining tired overly used catch film hear computer graphics stupid verbiage make good movie trailer making movie whole thing however charge complain much get preview something watch something else think preview bought thought real movie stupid long trailer ready watch bot stupid never saw b b b b b b b b b b b b b b comedy without true little thought would niece get one though check fine print minute clip behind whole movie said waste time money avoid story lame similar like three first much sexual close would ordered let fool sexually graphic anime graphic sexual theme interesting immortally mystery conflict secondly series detective mystery theme right religious plot one completely different view series wonder long traditional length series feel plot lack one season anime lastly feel torture merely used torture sake main character cut much get unless torture bondage graphic murder sex anime truly particular genre related immortal friend odd pass time assuage boredom meanwhile person trying change source immortality world tree also make suffer stylish pass seriously sick sexual subtext graphic torture lot stupid main worst thing violence example say first scene end showing two female naked bound barbed wire sign bad worse think symbolism really subtle either still say pass plot worth cringe want try know first episode whether stand watching series say far better stylish mature anime like ghost shell cowboy bebop watched getting amusement action plot guess fan service typical unappreciated got torture scene may short never know instantly decided end right handle even enjoy typical action violence found fine one appreciate torture anyone really except people might really good thing deal breaker glad pay like going ago give one star animation pretty decent shallow charming anime like promise first main character well sex gore average action despite show burning emerge bad writing plot paper thin stupid sense excuse lot gore action extremely sex animation sexual sex love making good everything else flat like many immortal main character anyway anime potential know utilize make good sex romance find flick anime actual anime complete waste time even though positive recommend number violent anime violence battlefield different abuse heroine series mythology unfolding plot attention get past brutality even finish first rented think well executed example something like horny crazed yr old boy decide collaborate anime project together story conflict resolution even call day life big waste time gay guy retarded straight guy bottom waiting happen much anything infantile movie vague plot two miserable guess go together act stupid obvious reason one order leave partner though movie never background relationship breakup movie goes nowhere remain undeveloped past action went kept going acting like good talk purpose movie depict two one gay relationship one supposedly straight probably gay friend communicate interact sophomorically well bother slow left middle could get enough enough movie short virtue earnest script pointless worth story keep one night two main spent school something significant never actually revealed allude homoerotic tension think wanting something happen mark character one annoying ever seen know anyone understand whey case decent production earnest acting wasted pointless script enough sorry negative gay would like see positive gay movie happy ending seriously tired story watched folding laundry even waste time may shot shot well piece crap never made production need half brain watch half person better dialogue first grade classroom video extremely boring mindless act terrible movie hour see point movie next thing knew rolling like nothing movie produced bunch high school television production first difficult imagine two main long time best could different add fact one gay straight know already movie going bumpy night acting average muscle never could want ruin ending say actually thankful ending stinker although ending truly disappointing film received two one character beginning made smile laugh little always trying make light moment situation really kept waiting movie go somewhere anywhere relationship weird say least like mark went beyond friendship vise one point hotel room like maybe going discuss flat yet someone please explain hell got locked school get writer going two opposite sides coin story build ending joke bad joke viewer describe film one word would think watching boring slow never even finished school gay dude even gay pan something maybe straight dude gay whatever gender fluid guess maybe theme poor excuse film confused whatever watch film real grounding plot circular two main one rather unpleasant simply one psychological bully successfully every chance guy compulsively readily dependent comprise whole movie two way least ten movie watchable deceiving trailer ever movie pointless movie ever seen two one gay n one straight go road trip n pretty much argue whole time straight guy sex one chick gay guy head chick go back home movie giving one star attractive worst movie ending ever completely depth overall literally like half story sense completion whatsoever disappointing good much story line film back fully expanded upon left hole story telling relationship two major non story movie say least real waste time kept watching end something would happen would occur never came movie ended wondering made neither engaging interesting funny well written engaging anything close worth film made film interesting boring anyone else feel like night main character constantly never clear might love friend story never depth movie potential really take anywhere almost like video camera got together one day decided hey let make movie better yet let make seem gay without acting gay want people actually think might gay want life spent watch video back boring waste time movie find another canada another reason ashamed besides get interested point tell movie sustain interest love ballet knew going animation lame could least study little bit ballet could put ballet flavor bizarre anime young thought would cute story princess ballerina watch comfortable although bad lot stuff borderline sexualization along mental would give annoying bloody got past nudity get past stupidity gross exaggeration character military style blood thirsty assassin kill immediately meter danger zone reason skip one juvenile bit rudimentary security fall blood comes like sure guess typical anime review helpful finish movie one rare anime hold attention gore good imaginative horror movie thrill seeking manner found rush first two like cheap slasher cliche plot hastily frame gory like gore suspense political intrigue suppose completely merit less good e gore overcome flat dub otherwise boring plot keep watching fact besides gore find single special aspect anime let say wish could gotten money back worst movie ever seen acting bad yet finish movie forgettable slow moving include powerful scene interesting sad story sure film waste time money waste time waste time realize movie subject interesting way movie dumb seen lot sub par spinning life one cake least helpful boring literally audio track seemingly random sloppily put together course periodically intensity screen timer nothing could anything get money back would amateur genealogist love series unfold genealogy work version great idea mean format already proven success must similarly good show version right wrong several production make version almost unbearable watch taken straight unedited really trend norm feel sat commercial break forgotten saw break need watch half saw personally think short attention span know academically maybe general population forget watched commercial break may reason constant shown without plain almost unwatchable furthermore constant already seen footage minute show reality original footage good value another annoying habit indirectly tell coming commercial break try make sound like mystery example one episode narrator star head search missing relative discover well obviously relative mystery fact bother watching know discover summary limited genealogical otherwise show poorly low original content watch sort half decent memory great show want pay get free however kindle fire support adobe flash really fail describe poor fi movie although admit watch could stand min looking something give mind rest nothing serious relaxation middle filth grossness forced shut sometimes like mindless humor far anyone man earth relentlessly two extraterrestrial threaten abduct unless tell one experience also want spy among implant left posterior region time running one annoying person another spaced would made tolerable short film hour chore get though sort funny much dead air good luck wading tar pit whew almost unrecognizable butch unmistakable z dar maniac cop armed robber waste time value call poorly movie made opening scene enough stopped right video quality best acting sub par make spent much poor watch second time usually watch many times poorly done spoof anal could go best buy right spend digital recorder come home make old film conversation two make go along would better dog turd movie seriously better plot better acting better production value demographic could possibly find entertainment young alone right age stoned kind illegal substance hanging big group might enjoyable time movie unfortunately alone sober decided see people given movie worth effort click bad oh man lethargic mental fatigue diarrhea movie might make something like mystery science theater darn really bad yes made put one star sorry movie bad actually wasted energy make movie could better movie turd would character movie love cheesy horror film genre even produce count silly fun painful watch like got together weekend decided make film even come across type people want thing dragged story stopped gratuitous sex ended coming across gross absolutely nothing memorable enjoyable flick first two show writing clever humor arcane kept pace upbeat went long way offset mary ever sour disposition season show lost foundation literally apparently sort uproar around last season finale ended departure series creator wife holly executive producer force show unfortunately like battle lost war everything great show mary mother jinx ann warren finally get life together disappear show sister also verge getting together apparently mostly leave pregnancy may back departure n de la extremely disappointing drawn excruciating manner entire season mary family provided back story mary numerous neuroses without family none sense whole mary mary know thing got really old love want see suffer quality show spotty season appearance hard ass bureaucrat two shot portrait background one opening premier almost enough turn entire season right watch fiction day want free present day politics enjoy give season look see frankly hold lot hope think become complete waste mary ben victor first two plain sight along every season burn notice white collar monk purchase sad excuse entertainment various froze watching three disc set two third disc completely froze last two therefore unable first two show great ruined got rid kept added dislike mary got hateful bossy arrogant everyone could get rid maybe save show lead jinx character mean show got lead turned black drunk getting rid boo character mary needs anchor suddenly going stop job bunch stay home care knew going even discuss see thought either way boo hate character complete dead weight self centered crybaby except great bikini spill blouse thought gone comes back brother like boo character suddenly lovesick idiot around mary season put crap pained silence involved yet another unsuitable love interest boo character stood mary nobody else would get done even mary witch affair accountant hell big boss time time apparent reason boo character great first two sort like comic relief remember dancing even like much always bad mood boo seen new season show maybe back hopefully fixing broke back people produce time time take near perfect show fan favorite overhaul give fresh look plain sight wonderful way first many cast season hardly like program word advice show broke fix bring back jinx peter stop making mary give us way get show back track offense get rid like added show couple free acting character certainly add anything season neither actress accountant poor woman given much part work sure came show season us watching since beginning entire season affront character change completely unnecessary show main cast show fantastic sense humour lost somewhere best show television run mill procedural even good entertaining one wistfully imagine season would gone network left well enough alone certainly better thrown together mistake seen first two season three good gave first two five two even music bad theme end fluffy piece see show wonder worst movie ever b rated nothing happy movie really comedic despite description terrible horrible homemade waste time give two back could given movie zero would watched getting better something else understand hedonistic misogynistic society many ways graphic sexual shown series totally unnecessary distraction plot subtlety lost art forcing always go groin speak learn slang watch series ancient know something wrong right bat accent doubly laughable show like trouble also plot every turn speak look thoroughly show gratuity every turn sex violence get cheap rent teen slasher movie get gore show kind interesting plot every time violence like desperate attempt get attention wow waste like rated r knowing terrible close series starring leaves video good rating two much sex profanity violence would recommend disjointed difficult follow especially know understand history heavily upon nudity sexual try stimulate interest poor attempt give downtown abbey treatment late republican understand love show production admittedly high everything else show quality average fi channel movie badly written directed otherwise fine look like clue get wanting current cool whatever lose audience explicit sexuality guess think story good enough enough draw without story able carry content guess think always needy try find fulfillment living vicariously heart let forget desperate human acclamation affirmation never enough road condemnation love compassion would show abundant perverse joy enslavement mistreatment racial ethnic group yet men enjoy show constant depiction rape enslavement mistreatment part ancient whatever sad sludge like hallmarked great show willing overlook historical even gleeful celebration gender inequality ancient times however ability insert sex almost every scene apparent sex obsession addiction psychological enough slang show even ridiculous historic either focus war bravery politics one neither like boring ramble old man series lots money put unfortunately made choppy production lot gratuitous sex necessary advancement story line made way first episode thought disgusting thought necessary show debauchery excuse put non enjoy historical accuracy non existent much sex enough plot bad acting else say something would watch season really know say get maybe spoiled game get past first episode one dramatic structure writing acting lack patience one character hard care anything watched trailer think might get better goes along might get around episode one days great story line lightly based historical foul language nudity perversion ruin could would given way much sexual content show listed oddly enough may boost really bad show watched part first episode pretty bad acting show different show watched twenty enough would recommend guess possible better go saw though count fairly interesting poor attempt different type empire something watch first making series series ran increasingly disappointed poor character development bad acting put forth decent plot line could written someone however made poor choice nearly every part know long history classical pronounce save found wincing every time someone spoke strange unnecessary vowel pronounced long maybe accurate depiction ancient dentistry effeminate understand mighty fallen white skinned historically inaccurate though amusing believability episode series make main look even like distinctly modern also inserted script easy pick even refer gyp os combining highly inappropriate racial slur extremely outdated anthropology doubt guy found influence writing staff short good historical atmosphere style spirit intrigue conquest pick book instead documentary action history blurred honestly merely entertaining maybe good high school history starting class one likely slept dont interest history actually fell asleep trying watch latest prime offering promise deadwood keep watching sharply shoot bad guy real life peril would survive unbalanced society old west love reach us pose lots gratuitous sex violence mixed stilted acting convoluted story line admit game spoiled violent gratuitously sexual period one could good nudity blood seem permeate practically every frame could probably argue could said got much better show goes shock value every opportunity story character development distant second guess spent time new titillation trauma slapping story top like reverse censor staff absolute minimum time goes next disturbing situation lucky cast good hence second star weigh time attention giving continued watching could note moving one raw forward disappointment literally fell asleep desire see aristocratic like party like might politically could structure former republic administer world wide empire problem masked pompey exhausted energetic stand past future battle one time simply counting material enough determine like nudity violence thought would see something true historical interest would recommend really watch movie bit boring fall asleep thank much explicit much sex dirty language good show need would recommend totally agree people complain new hear lot yo man man appreciate man sh man mention f word translate great historical story line work seem much decent otherwise thought stale trouble convincing watch season many first season figured without explicit sex necessary convey history would great idea historically accurate show goes show enjoy watching nature quest conquer command entertaining exactly point end episode left wanting first episode hooked watched every episode every season least times good could take leave get attached oh well deep dramatic back dramatic even final episode season jaw dropper left gasping would go work next day say see sure story rise glad friend thinking whole set much bullet saved money already go watch thrill minute good excellent set bar high show hard series compete thanks reading video extremely poor quality much nudity horrible bunch garbage read high school well even version way worse another cable historical drama like deadwood good acting bad new genre soft core historical fiction getting pass poorly done nothing recommend soft core series depressing husband fell asleep kept sticking would get better definitely everyone mean god forbid woman really connect spoken plain suit movie well movie times dragging slow boring drink cup coffee watching need stay awake hour drone ugly revolting introduction typical fodder pathetic many ways production excellent however infatuation sexual promiscuity world excessive expense important historical classical period get past first absolutely worst acting worst script perverted probably perverted bad cannot seem get head cesspool degenerative morality way shape manner suggest come closet admit interested pornographic tasteless sophomoric told already refund movie music sound unhappy still anything back historically inaccurate boring full cause really know make least good fiction horrible given million budget production compare higher quality first might say fair comparison primarily intended sell ad time dumb couch potatoes fall defence show would give really valid defence however also intended draw audience sell learn history better watch series full incredible historical series mention many gratuitous sex violence taken higher production perhaps biggest disgrace know better much show succeed end bitterly disappointed therefore watch another series say stop watching first episode give fair go nave hope stuck entire first season perhaps failing part mistake history therefore interest people interested quality also disappointed apparent show example get away brutally murdering man marry several leading citizen ultimately freed legal punishment agreeing marry within apparently absolutely disgusting sort message send inane dialogue two main incest rape men men blood gore wallow heart content even say say series make feel right home swinging fall told gory demise watch ask pass someone else enjoy process watching second series set somewhere must good book movie fall without breast penis flung face every know happen still today feel constantly showing throughout series anything fall however gratuitously vulgar research done doubt f word would found part lexicon debauchery certainly part culture series powerful enormous story empire see top last sex scene mentality bad potential powerfully depict episode world history sorely mark admit watched little violence beyond acceptable level quit watched one episode political taste give another chance finish game violence sword like movie would fight camera would move way even big show real acting alright look realistic like low budget show obsession thought would automatically like wrong also would hurt add sound puzzled series received sex gore astonishingly dull historically inaccurate boot centurion eight experience breaking non citizen arm kept line said inappropriate matron might suicide reputation stupid sure long winded pain translate stupid whole thing perhaps shaw superman watch instead better yet read boring boring soap theme big deal hate make good try portray evil empire core people noble empire equivalent spaghetti western trying imitate game less success like series risky r rating much nudity unfiltered sex rated pornography disagree positive far negative account admittedly brutal time ancient heritage wise person stated without would western civilization script predictable petty acting bordered constant hysteria get series apparently exaggerated sex violence appeal give two simply fascinating era history agree empire brutal society movie overload viewer violence frontal nudity unnecessary though nude scene distance man private area unmistakable viewer plot little dialogue much violence empire violence human behind violence therefore clearly see free enough keep watching think go slow entertaining say vulgar would anyone shame tell story without first violent continue way could assume would lot come much shown depravity violence graphically necessary plot opinion part filled enough one dimensional exactly one would expect like many adult realize producer going shock value film watching rest series could take except pilot episode series amazed many people got history even close even giving artistic license drudgery sit grant sat whole affair could tune weakness subsequent sold copy happy get money back really well put together fluff anything prude premium channel show nude scene every twenty three mean less book agree video good family watch moral film poor even get far movie seeing way much sex nudity would recommend movie anyone moral least trying pretend history almost everything show beside time period people distinctly show century birth hate series hate people made people watch think close history like show change throw midget word dragon get game another show least trying pretend history pretty interesting story good darkly indoor night almost lighting terrible boring get see first episode full sexual content difficult see time left conquer world student history series garbage truly like may love quality good see enough rate historical accuracy rating product terrible negligence part set language far find place menu change item shipped set still language much blood violence story line difficult follow watching rest season dont permanent yellow shaded box large close caption tried remove still player find annoying ordered b returned cause thought defective ordered another thing anybody else prob holla let cant enjoy half screen shaded yellow big crazy wonder ray like well kind slow may try time want pay better attention hold attention good program watch leery rating watch r rated watching explicit sex scene quickly turned appreciate rated way give big fat rating would realize vulgar place day sheer amount nudity sex within first two necessary tell rise fall try waste minute time watching season barely got second episode quits decent show slow times lot sex fully nude men know action good background show good enough hold full attention another film might interesting turn another poor script production must filled erotica little acting stopped watching second nude scene might good historical program ruined tastelessness prude one get message across debauchery empire without full frontal nudity first program especially offended scene mother fully exposed teenage son disgusting click went first program series great evaluation depend whether watch series gratuitous graphic pornographic sex make show unwatchable understand woman would debase chance play naked prostitute graphic sex scene disgusting completely unnecessary made maybe turned interest really forward seeing like epic historical series based empire ended seeing lot violence sex major draw series course genuine history buff might appreciate series certain epic quality could even cope speaking supposed speak actually found character two care like everyone callous brutal maybe way sitting first episode first season found wanting watch sure go without best advice find way try buy plunk lot money find many graphic sex like watching pornographic movie also modern clothes weird high series given track record excellence dramatic content produced deadwood era fertile inspired entertainment upon making three deeply disappointed production indeed stupendous lavish part reflective excellent research attention detail writing however casting utterly uninspired thus uninspiring nose obvious bonk bonk heavy handed plotting even excellent reduced mediocrity excess gratuitous meaningless sex unrelated plot character story momentum write imagine get point obviously well next invariably class power production involved enough compensate plot sex even sexy expensive looking project un thought would good story cram sexual activity turned smut read promiscuity time factually stopped watching although fascinated interested learning historical times pornography potential good intelligent series rating said nothing sexual content rated good historical series reality disappointing definitely family film middle season one far good show saw series first came v received yesterday watching disappointed first three movie would skip pause jump every supposed new mine check player worked find buy lot often say disappointed perplexed send right back still second series yet feel reluctant ought check usually avid happy customer satisfied today ward graphic sex scene close beginning movie actually less one star interested history program pure disgusting fast forward much decided worth watching first thought would every scene watched little bit know sinful society need see living color understand bad filthy vulgar probably fairly accurate much focus worst watch program spent considerable amount money first season watching intellectually historical drama accurately transition republic dictatorship imagine disappointment learned clearly gifted craft much excellent content took liberty deprive interesting story line much historicity incredibly skilled work often borish pornographic ridiculous personality reflect current popular culture rather historical record indeed one thing series long time student history yet see even evidence f word part vocabulary yet vulgar phrase repeated ad sure personal cultural decay eventually brought end perverse pervasive want spend substantial amount money watch plethora want spend substantial amount money watch going toilet doubt regularity would much better potentially outstanding project sophomoric gratuitous sexuality vulgar language undeniable bring forth work historicity intellectual substance subject matter bother could barely watch make episode mushy find tiresome annoying also agree much slang series comes cant even understand nothing watching sex quite like dont get much show sometimes thought trying show every aspect close detail ask didnt show much detail sex plot weak predictable mention inaccurate time thought watching period drama jane story terrible positive side good everything quite realistic apart pale skinned ginger haired big let would even recommend ancient thats altogether fantastic either know bit boring wish would go effort making accurate series perhaps even go trouble speaking time mel passion made effort speak actually thought enhanced realism even though movie crap would happy read meant show authentic appreciate film go trouble long showing improving show would simple cut cause really annoying include historical try use sex something plot delve religion bit central role everyday life pretty sure didnt use word f time perhaps love show ridiculous watch ad listen chapman song watching want see ad show wonder jerk decided put disk fact play feature almost every show tech call tech result scroll show instead able let run two would five content alone make better first episode seen couple drawn incest boy looking mother bathing second show seen soldier getting village woman stopped watching scene extremely long painful scene old man sex one want watch show without many sex scene want like good story getting wonder people say watch nothing trash corny plot soap opera acting poor production watch bother unless interested different somewhere around middle episode go mad yellow screen image half character really annoying given outrageous price made maybe first episode season one two people sex watch pornography subscribe first place give one star following taught college history show b realize show washed portray pompey ludicrous c watch authentic excellent production photography acting production visually marvelous well however seem put ever possible lot profanity graphic sex nudity us ruined would marvelous experience bad language nudity filthy language hard tell good video quality terrible streaming like provide much better quality picture well done film well directed violence typical style show even true history however bad boring night heart great series found disappointing filled sex violence pity much good material good better written series six would thoughtful basically soap opera rich tangential story couple watching struck indirect recruitment piece us military modern day empire going rich shallow tiresome common people hardly background common people vicious stupid mob exactly sort portrayal elite like project one sympathetically triumphantly sheepherder another scene soldier crazed black multiple times later wild sex manipulative racist mix violence sex chalice blade people want interesting account ancient recommend assassination people history ancient never received video kindle fire think transaction went purchase something little unauthentic put finger never get world love historical drama hiatus decided check see much blame show high sex violence mob love definitely disappointed acting bad opening sequence overall cheesiness script like way done watching game one poorly done disappointing reading rave concerning series felt bitterly disappointed saw season pity much effort create inferior product must doubt series popular success opinion handed us mediocre piece work ambitious wrong ultimately like intelligent kind entertainment want sound pompous high brow history deserved better mind sexual explicitness full sex exactly mind violence gore blood time mind urban chaos dirt popular dirty stank similar many even today mind distorted manner historical often one distortion far low quality level dramaturgy involved made scene costume design expensive ineffectual art direction costume tour dress way made wear trousers winter often poorly forum patrician better even poorly done get real thing seem done art classical sculpture sympathy goes say often trashy text know incapable rising level shaw anyone writing today dialogue least bit intelligent truly witty faced tragic utter humdrum never entire series ever character said incredible positive note exception atrocious stature complexity real man actually quite good ray effective offer us richly layered respective walker one sophia well supposed last least kerry brilliant vulnerable everything character looking back remember l almost crucified cultivated man must heartbroken time coming tumultuous shooting process trying best however film far superior every level one examine quo ben also better made time digital virtually nonexistent opportunity impossible follow action soon thought player root rotten times stopped watching much nudity allow shown house conflicting ah use slang speak realism kept break tea time moment even butler dressed toga course govern r tea bugger matey long long drawn domestic hell cry scream cry scheme female thing cry hate sob sob bloody hate mum yawn like soap love wait also something every year old boy every naked woman wow snore ow ow take ow matey squawk like blooming bird series terrible acting horrible plot haphazard boring even put sleep single season finally merciful death love history would watch epic story times morality although naked walking sex might appealing base nature certainly good us total unnecessary disappointing know sex style series forgot plot many times show interesting know screw set scene march way much perverted sex worth watching flow show poorly done enough time spent really early first season may good movie two people sex first half first episode turned show explicit expect graphics television show rated know anything goes disappointing watching puffed hammy produced series low state acting playwriting today waste time money found boring even finish watching first episode cup tea guess boring acting suspect general story line great trying get new series one acting fighting major disappointment much nudity excited historical series got explicit scene mean explicit completely disgusted alarmed whose might think could watch thankfully trust one completely list us typically appreciate good historical fiction bad really tried like look civilian life tumult first centry excellent choice story clear focus drama nudity annoying history mostly could thought well hour never get back something vulgar series many sex detract could great series sure somewhere old school advice given sometimes less business shocking people adays shame company bought band see talent series never imagination high never came close met way much sex prude know day watching jumpiness first episode enough keep fiance interested problem box extremely hard take nearly broke process taking cant understand creator go create new way art really want money back set selected program thinking would get dramatic portrayal history first episode graphic sexual intercourse maybe get attention since historial content decided give episode try second episode captain centurion sex tree submissive peasant girl sit formation observing turned opinion ruined good thing require graphic sex violence keep attention disappointed historical series made portion first episode turning graphic sexual scene nudity unnecessary inappropriate much graphic content finish episode turn potential good show like rather boring production violent sack violent moderate acting drawl music video without music able stomach loosing complete interest gratuitous nudity violence real reason keep tuned show much gratuitous blood nudity sex debasement enough historical context accuracy warrant entertaining film although excellent contain least video demand version supposedly buy wait complete find unwatchable movie director commentary cannot turned movie might good commentary unwatchable film instant video system film language film listed indication whether since film title one reasonably spent movie cannot watch way get refund feel essentially case false advertising rating movie really like film lost interest first couple end feel must watch film take two might help dull pain torture watching slow slow movie even care always fan silent trust much fun even pretty good drama video like five total guy never even trumpet sit sorry learned ago prude comes anyone watch first movie sex innuendo around serve well interest movie movie genre might well rent skin flick rent movie recommend family shame film really bad actual story early days would made great film picture real life big time womanizer cad outrageous adventurer film almost totally false based reality way base actually earth even bother real would scandalous outrageous sadly looking real story early days wait film major disappointment historically accurate read find coincide portrait life homosexuality part read hard life growing little help mother think great actor taken advantage wish living lose early age never given real credit deserved actor slow disjointed boring long time fan spinning grave poor acting lousy story supposedly biography know true total louse choppy story read wicked wicked ways autobiography coherent story even though left much early life works film young guy perfect casting part life unfamiliar guy irritating warner sand energy relatively young young man idea destiny interesting long sequence set new guinea turn action thriller sudden know much factual much occasion quality movie lack narration video awful even take time go detail awful historically accurate gee thanks paying one sub dub wasted money series use likely never watch thanks please waste time like bad fan made lunch break wish refund imagination may conjure scary premise movie sad see video decided shoot every single step long hike people take action finally happen like episode generic show nothing brutal scary happening several even aware opportunity virtually blood real tension nothing whatsoever approaching suspense seriously waste time boring tame come read thought bad film low budget film another level narration content also pretty boring disappointed guy clue talking talking house house lien painful like horror much worse good eye trust worth even bad review seriously movie terrible might lend enemy watch doubt drawn tube awesome rented glad purchase video really like free clips tube better nothing description warn hodgepodge people speaking something close make much sense translator good grasp understand one may get done believe fake film poor dialogue totally implausible plot stilted stereotyped acting also made start think parody example wally seizure fallen ill run woman nearest doctor away best thing take house proceed put wally bed ignore go falling love main character saying wally move better eventually wally go fishing lady well lake away thought version ordered absence trailer view soon streaming stopped low video quality made unviewable mention ancient version could back get money back alas backing watch people driving around getting waste rent glad waste money giving title run misleading saw clip sparked interest however hour watching movie sad find clip saw free last movie think video right rest furthermore trailer admit chase scene added trailer quite exciting indeed power everything else concentrated speeding getting caught speeding course get eye candy enough redeem saw trailer getaway scene nice try video getting caught speeding bull run rally part may better one bold well mostly self promotion expense time payment see showcase thought would plenty e g line famous well whatever else mostly owner course sprinkling everyone else vehicle enough make self promotion much used love show strange dilemma indeed gay look knew unauthorized blah blah blah expect something better rambling whatever long boring back day questionable people within inner circle surrounding band aimless direction entire movie made instant regret purchase tried watch video unfortunately clip watch show ride like turns lone rider climbing hill slow pace inspiring also unfortunately buyer ware last video ill buy thorough review first zero star rating one would earn first saw drive came awful worse plot stereotypical racist southern stop idealistic young civil murder two send third jail briefly maybe part chain gang movie close unwatchable print quality terrible however strange reason choose watch give seen courtroom scene judge absurd lesson human reproductive physiology put mildly ridiculous quality video poor content relevant good worth nice field get classroom profitable company taking advantage bought season right away doubt fault watched first two rest unavailable even though want us go digital industry needs stop screwing us give try learn oh go buy used shop available several least get entire season get half really buy get refund way instant video selection correctly broken season less around thirteen per volume bought season volume tax thinking season volume queue instead first thirteen would purchase complete therefore would paying twice much less beneath customer service see sorted hope get refund movie disappointment gave shot chick big bang theory thank various enough little interest except casual non demanding film various long even unwatchable either waste time remember age stupid worth film stopped watching watched movie principally see unfortunately roll provide portrait complimentary although principal movie roll critical one movie movie poor find entertaining poor acting pointless good book good anything waste time recommend anyone read something better lame slow plot development cool see watch entire movie bad finish watching bad finish everything unwatchable recommend really believe people get idiotic nonsense fact people get lot really mind whatever get new minimum wage anyone planet could put something like together skill talent intellect please watch extremely even go read book instead bad acting awkward cheaply done save time boring slowly hold interest fell sleep trying watch movie film watch great comedy overall would say average movie poor acting script hope lot clearly advance career really dumb movie waste time waste time unless care time bad acting like amateur movie even last movie turned await nice movie could finish watch movie really slow without argument really good bad writing really bad acting horrible would bit better script direction bad overcome eh movie looking kill time overall recommend movie anyone pretty mildly funny get one allow buy card love anime go somewhere else buy watch keep going language sex talk horrible true jane anyone disgusted used name movie bet jane would sick see way today romance comparison time subtly sexy crude love jane pride prejudice one favorite read probably six seven times say main character film read copy around yet still absolutely clue customs social time concept movie switch main character favorite book see would happen obviously story going get thrown course would disappointing way though ridiculous character personality every single character book pretty major ways possible first thing magic door leaves family without explanation part beauty novel close relationship sister father film note magic door week saying probably come back trust stranger place guess would story let go biggest problem jane expert eats pride prejudice somehow social protocol around everything happen right away love jane even collins marry prior even meeting happen right away pop evening entertainment perfectly fine throw jane first night met divert attention telling even basic history knowledge saying could punishable death yet mild amusement book despite lack fortune many outweigh lack funds smart well read well mannered well spoken confident unimpressed fortune even long time admit obnoxious today continuously money yet instantly make sense character also worse seemingly rude duty plain mean minor behave wrong mary giggly ridiculous kitty actually poor misunderstood guy think horrible order protect reputation thrown even secret innocence continue treat like crap likable person film mention helping almost reason least one sense marry sister caroline caroline closet secret relationship plot point made sense jane collins afterward goes crazy away yet much sense ever book stupid cruel man somehow jane never marriage lady marriage would even know jane would never father injured soon health better back modern world forever care best friend fled sad mention woman never would traveled without male chaperone would care favorite sister jane married second time flee care leaving family pierced cut hair away without look back character overall movie totally different story favorite book instead strange story used favorite book none actual disappointing decide watch though waste money watched free lost terrible main character shallow stupid spoiler alert movie disgusting insult pride prejudice main character alone jane ran kitty young man seriously cherish love waste time movie enjoy thought going pleasant movie clean humor would make sense time period jane also got think great understanding overall jane time period everyday life high middle class part movie like supposed proper way acting society oh saying really character style main character whole time distracted away laid face well eye make made even smaller also thought really weird able put make time period bring make st century th completely wrong whole time addition also would act flirty character fit anything could able say positive movie would occasionally good joke one feel guilty laughing cough cough occasional like choice like directed got also show interesting assumed used time like used make interesting little like finally although disapprove made find interesting point would never met supposed would jane done never caught eye collins came along never hope final note thought idea kind movie brilliant well thought actually thought sort complicated fi think like freaky thing main character swap instead randomly walking world feel like idea factual event without worry uncertainty much offense jane pride prejudice firth outstanding make comedy serious drama case unfortunate lead actress actress serious version actor excellent excellent actor good film pride prejudice get better disappointing travesty true lover jane especially pride prejudice hate everything beloved original story integrity manners customs time crudely twisted outcome leaves viewer feeling anything satisfied tried watch several end writhing agony mortification whole sorry affair real imbalance strange modern character world traditional certain upon glossed entirely dialogue painful love jane whole set scenario seem wrong think jane fan may situation fact matter watched like bad self insert yuck show rattled love jane usually like modern well found one disconcerting initially biggest complaint modern contemporary actress th century clothes bit even today society severe think could made contrast two switching without odd clothes hair next oddity story line completely understand point however drastic fan jane barely tolerable profess would said perfect gift anyone work modern girl worst modernity offer enlightened jane world anathema virtually everything stood crass ugly character sort late th early st century base nonentity seek escape reading pride prejudice sense sensibility jane insult gentle humor intelligence morality early nineteenth century authoress grotesque sneer worthy benign genius nasty spoof cynically positive pride prejudice doubt young vile anti hero cynosure scribbled tale would anything welcome bennet household received made vain imagination writer unworthy shallow throw away offering sadly ray could teach original mush mouth thing two unintelligible love love culture learning one one care bond like miss cannot win explain exactly something know compare look made mean automatically good fair watched first episode cheesy almost fun predictable written network formula like entertaining poor effects show low budget many may seem like amusing promising idea cartoon series many would behave look older question however program animosity multiple fan base completely imaginative bliss comedy spiced previous series wonderfully notoriety hysterically funny continuous enough make virtually anyone laugh brought back time wish could remember back carefree days early childhood still enjoying splendid time life surplus look back warmth triggered sweet blissful nostalgia many however series completely positive made predecessor wildly popular entertaining teeny entangled various killing humor made famous however theory primary downfall spin plot entertaining pilot episode learned exactly would alter age question left boring toned teen drama although middle school full high school valley strive popularity acceptance intended answer longer enjoyable watch longer something care see fan really like first proved unamusing bland soon watch genuine amusement skip waste time love roller derby seen half dozen roller derby one worst seen amateur soup gossip gossip gossip much blah blah blah terrible video even bother big fan ghost complaint quality item realize item sold used really sold since would partially play play sporadic freezing happy could would give got disc lose open like threw across floor disc ghost one favorite watch buy used stick leave ghost hunting crew ghost dont waste money old box busted two three extremely unable view even ship something horrible shape disappointed first watched start thought great show claim real caught several times jacket pull live event taps look ghost taps think people get go overnight taps event see ghost fall asleep driving home early morning next day shame shame look see times caught hard watch start watching show think wait crap least know crap start try make think real reason unauthorized account life horrible would probably think life actually production video like copied pasted someone home computer power point presentation dry uninspiring narrative high school watch documentary chemical reaction ammonia bleach fact probably produced company incredibly boring watch high school know angry lack quality movie spent whole save money much excited watch seeing preview clips wow disappointed long time quite cool video quality content mediocre like bad kept watching amazed poor delivery many boring filled space interesting unprofessional little advertisement sometimes used telling catch rest scene another cool cool honestly random clips better job much enjoyable sadly say video stand advertising unfortunately another case best shown seriously cut great video everything else plain boring even real car nut like watched every single video garage smoking tire name glad see well popularity partially short point really good content learn improve future please movie long boring disappointed spent money movie free mildly entertaining basically people much money real sense adventure challenge kind stuff find day long found video basic long irritating covered good basic cover however feel video twice long narrator goes talking unrelated long found back irritating fell asleep middle video come back later finish think video could condensed thirty would much better video discovered free tube searching people seem like take word nit picky opinion couple hilarious mildly funny rest pretty bad good cause lot see actually made laugh also gross hey everyone different might enjoy saying wish payed cause waste money good cause though rob hero love everything man ever done saw video get unfortunately along sheer rob one joke beginning show went downhill bunch saying favorite tweet leaving unfortunately none funny glad man rob getting bigger lame lame lame lame lame video least welcome first time watched film quite disappointed many music plot acting however watch twice yesterday order might provide balanced review corresponding one film given second look must still say many film found wanting first music especially music repetitive point painfully annoying god bless fast forward think film would better inclusion background music throughout second still found acting though point specific thus possibly hinder future acting work producer director read review considering part write several obviously gifted acting gene rushing vice acting bring overall experience probably viewer however must also state film shot restricted budget fair review must note take consideration said think made every penny spent aspect well could would interesting see team could budget acting moving think cinematography good largely well framed well another positive twist ending came across well along play time twist spoil ending particularly one male gave believable performance role say ruin ending thought gore aspect could much better especially impact budget significant extent thought film perfect gore though wholesale would really bigger punch would recommend one one lazy rainy days home would also encourage viewer dismiss film outright another shot video budget c movie many video demand say tolerable suspense thriller movie though various pointed give film firm two enjoy genre may enjoy rehearsal watching next production team think good potential doc saying million youth parent prison think true life three people usually two one son prison one point one son white one son black white son father regularly whereas black son never met father face face sons know however white mother disease thus incentive son get know father short could non racial reason seem like white father son black son like may forever white father never used cell phone shown riding bicycle basically rip van winkle going prison visit son basically return done blame laying even elder black guy group organization young folk salute group woman leader shown guy one point see photo boy circa eight old smoking cigarette wearing shirt shocking hate seeing black male crying prepare whip seeing man half brother unfortunately interviewee lot could absorb well black guy coverage bit anti climactic show going prison visit father cover meeting know prison permission record dad want film black feminist bell condemned film hoop nowhere showing one subject father read correctly son wife find last five doc husband ease exacerbate toward father find glad produced episode however thought episode got prison also never learn program view negative light disappointed would recommend disappointing less information could find almost article bad way poor video personally movie really minute short best video interview people deal hoarding film waste money time waste money stupidly short money better spent similar anxiety panic life people film accurately describe condition editorial slant film awful anti medication pro herbal quackery healthy dose say panic anxiety along depression biological brain complex difficult treat brain poorly understood organ unlike heart liver best hope relief combination psychological medical intervention sooner better dont waste time amateur film excellent help better understand disorder like listening coping like peace nervous suffering told snap forgo insulin people brain either herbal quackery probably wont help unless herbalist eye newt toe frog often psychology particularly psychodynamic help people come condition helping consciously recognize try make worse happen eliminate underlying biological problem help people accept cope better medication actually eliminate condition greatly improve responsible current taken individually effective time take find one works psychology provide immediate reassurance coping suffer crazy alone human wired bit differently people reduce stress much possible try get exercise get good psychiatrist finally lot reason hope right first pharmacological breakthrough based low drug safe used pediatric anesthetic works immediately people worst untreatable depression even suicidal depression anxiety may go way small pox polio film description explain film documentary drama acting film tell story one incident interesting gave chance however disagree entire message movie believe jazz alive today die thank goodness new daily huh documentary goes yawn boring watched documentary done ironman probably would one due thought would fall asleep training damn waste time movie training several ironman deserve even star mistakenly got movie thought getting documentary life death beyond low budget fi movie chopped together cheap spaceship hanging fishing wire old clips horrific little pool watched crap complete surprise horror turned likely worst thing ever seen life seen lot bad cloying movie irritating find funny recommend amateurish attempt film making extreme patience control survive till first video painting picture obviously use would like get money back rented movie solely one favorite curd yes description poorly gone curd wonderful voice replace hack voice made decision unbox view video unfortunately video display correctly unbox one point went blank could listen audio difficult best get help best could send hope help production decent story totally end like mystery ghost story like needy gore flick first finishing people never even finish production seen trailer demand see footage make heavy use magic bullet coloring sound worse music great although always fit scene acting people really well set location awesome would like see real investigation place story decent right get climax goes end making sense enjoying everything blonde starting owner dinner really decline story resolve killing make sense explanation anything finally end make close story ghost investigator like ghost like gore think really tame like watching real independent might watch gave actually like production value sorry director cut help sill worth watching second happy camper review story line terrible sound track reference book post apocalyptic genre nothing marketing ploy get buy misguided misadventure comic book writing appearance presentation comparison save time dime look genre erotic sex scene bath intense bedroom sex violence poor acting plot drab black white scenery erotic bath house would enhanced cheaply made film waste money description violence son love spong bob buy hour week like cholesterol brain dont buy fan instance even though already knew part little production small forced watch great deal finally fast forwarding brief part unfortunately music screeching piercing painful instrumental torture laughable first continued made job black white mildly interesting like maybe three four short together interesting rabid hank work worst video watched best said please could much rock n roll heart seen better gave one star way give less thought would sort ghost investigation one man talking owner although fine actual ghost investigating well investigating done whatsoever save money one worth video much content one titled ask however new one new material delivery much better recommend ask ten fold one entertaining yes world class movie bit low budget taste graphic violence apparent point anything worth money bad story line weak plot many close beginning general like money back poor attempt halo recon star ship waste time effort poor acting poor plot really poor direction nineteen set dressing nineteen combat action pansy grandma could stuff video even volume one looking cheap alt cane definitely close quality season vol season vol screwed buy fixed tried write let know absolutely nothing never got back could also bring attention maybe listen really though worth time money forget worth buy real disappointment bust disrespectful cheap disrespectful supposed represent mary j believe really pointing ghetto classy woman become know approve low budget crap shame also peddling crap incomprehensible attempt brutal failure even typical experimental construct missing proper old men glory days e street band really disappointed rent buy movie unauthorized garbage full stock uninformed opinion music get one better terrible science fiction come wonderfully ridiculous version without comical much shallow concept cannot told great drama regardless number looking give two rotten weak writing stiff intended dialogue plot cure insomnia producer must outstanding fund raiser getting money movie weird far fetched acting make sense either would made sense would plain incest story instead go either commit much pretty bad acting plot beyond terrible worth anyone time exceptionally horrible movie film forgettable longer remember would even say forgot would way recommend wish read previous enormous waste film time horrible region code season region locked well done south park thanks trey outrage episode buy give money comedy central network fear free speech proof link buy life south park comedy central refusing made want watch even first time like south park episode cartman amusement park one else go inadvertently huge demand people taste forbidden fruit put sale less twenty decided satisfy curiosity retrospect buy used even lower price really great season couple good like taught valuable lesson literary symbolism point used writing jersey thing jersey shore various inception range downright awful coon trilogy one episode moment parody shoe commercial course real issue needless episode censor name end kyle entire learned something speech according show mention name spiteful comedy central part uncensored version set people much thirty five big middle finger really sure trying protect afraid bomb everyone maybe bomb comedy central bit paranoid think pretty sure al much higher priority doubt bin laden comedy central despite pretty sure still sell season super best episode may unpopular say blame show well knew cartoon comedy central going air resist throwing hornet nest anyway watching thing pretty lame anyway really like one dumb scary movie date movie type full much better case lot much better show heyday still knew meant could easily fighting something else whole thing people like bought would well well anyway already seen recommend like south park period mediocrity ending time soon buy save money sad state south park take risk speak silent majority abhor double standard liberal media hesitate bash based backwards cater comedy central forward one brave media true tragedy terrorism working fundamental purpose terrorism instill fear based extremist organization idle fear comedy central react go way board censor image commotion censor name every time issue censor morale story end guessing freedom speech acting fear terrorist comedy central ironically sad comedy central could new standard fed double standard today society instead fear utilize terror restrict episode season pretty funny never buy release censor free season guess sentimental way comedy central come point support caving trey spent decade half humor vastly soon one group people world made fun get targeted station ruin fun uncensored version becomes available whether purchase return south park longer support anything comedy central hopefully trey find competent station switch contract season world wait enjoy untainted let say nothing south park fact love show rating based lack availability watch made available instant would go south park watch free watch south park pay exactly purchase money live country live country free speech secularism ban us like title episode episode heavily like comedy central buy product actually release complete uncensored version th season blame blame comedy central air episode u terrorist vote support comedy central one many many south park earth appreciate clever humor especially social commentary usually valuable timely satire enough laughter least seeking mere entertainment fact south park prime time animated show cable network keep radar extreme consider moral police phenomenon many vocal show actually seen show dismiss place fringe general public never seen episode south park show considered nothing string flatulence unfortunately days radar ended world turned attention south park colorado comedy central proved spineless short sighted south park initial inspiration bunker family character trey absolutely agreed could never appear today p c television idea create freedom humor format could escape traditional television settled animation format born eric one despicable ever appear television deliberately trey felt animated format would allow frivolous thus harmless plan worked right season probably know response supposedly based comedy central chose censor episode broadcast television comedy central decided never broadcast episode censorship new south park endure censorship almost every episode show least one utterance profanity instead knew specific forbidden regular also knew collected purchase would appear original unrated format season correct perhaps one think know better people censorship big deal hope one day experience loss manner open feel fight censorship important part problem one day find upon well free speech right right many people enjoy shameful comedy central willing deny right biggest cash cow network ever currently trey making stupidly huge cash broadway hit book mormon coincidently trey always south park th season final season trey contract already wealthy enough retire book mormon well could donate comedy central money charity never miss personally much would miss south park hope trey punish comedy central plug season telling exactly profitable show comedy central lose trey season left nothing south park think affect ad said spineless cowardly short sighted decision comedy central part central make version available via purchase region blocked lost loyal fan season us stung sudden region bit unhappy comedy central feel free send region set money back thanks avid south park fan avid fan free speech express enough angry feel first foremost may already know completely uncensored infamous episode exact version comedy central completely unnecessarily f name previous episode number also last speech almost completely nothing one long loud quite upsetting entire point episode lost amidst series censorship understand stone trey parker also quite upset never lengthy explanation even commentary track quite vague suspect kind agreement made episode uncensored comedy central allow version originally maybe trey contract clause stated episode approval make show version originally segment also comedy central bottom right corner none well rating upper left corner obvious version anyway need stand free speech would love see season tank suggest going bit torrent way still enjoy uncensored support big moment brace disappointment brilliant writing trey parker stone season hilarious hilarious however fact version episode infamous better careful episode know episode heavily original broadcast comedy central due terrorist live united remember land free speech complete danger fact terrorist group make racist bigoted much offensive south park check net provide link b c awful think print links anyhow version episode message episode exactly comedy central original broadcast oh heart sank even get insight listen commentary trey comedy central even talking controversy trey commentary due fact would probably take anyways trey really commentary track trey talking talk censorship good part commentary great joke pull end want spoil anyone though thought great satiric jab situation trey parker stone absolute deserved comedic tackling tough important making funny heck love every episode oh see said episode insight provided whatsoever original statement posted day show clear statement trey absolutely nothing censorship think smart enough figure going would advance warning nice spent explanation least ever find said highly controversial episode due comedy central lack short nothing release satisfying level also feel noted special great commentary cool ya know part get half fully animated still still frame sketch form include bonus episode season coon disc new coon trilogy get abhor rating south park product poorly seen season check absolutely hilarious one best fence due censorship would actually suggest buy available watch free south park home page except available original broadcast give comedy central bunch money treating audience like make mistake comedy central fault trey keep due nothing wrong comedy central ashamed shame disappointed still support south park comedy central unacceptable season release round terrible man terribly disappointing support trey applaud irreverent controversial fact comedy central head solidly intractably ass regarding even super best episode say waste money comedy central stand repugnant cannot support network way love south park every season number season mad saw first even watch right free speak mad also south park warning use pretty first time pretty need stand show least two ray swear show comedy central lost another viewer censorship two dealing hypocritical comedy central making fun general making fun comes comedy central get dime uncensored truly hope trey end south park season damage comedy central could unimaginable south park many long since funny episode crude without actual funny involved wish case please make funny shoot series already life support sad sad give money plastic box bank something looking forward set season totally uncut uncensored episode like original broadcast comedy central really cannot get money back since box said nothing trey fault rip anyone anything comedy central needs grow set south park every major religion world comedy central along comes comedy central everything comedy central quit release uncut uncensored version episode bought season yet going looking forward seeing controversial cable catch season line comedy central site imagine shock said watch episode offensive episode heavily ticked bummed thought hell uncensored definitely buy nope dice still see properly trey done wonderful job series commend even portrayal however still really enjoy show believe people want see especially grown enough know show choose watch although honestly watch anyway often offend choice beauty think people given opportunity make self terrorist organization getting butt hurt someone may say need leave country move fundamentalist country everything forbidden soon breathing sin everything else comedy central needs remember money comes small minded group yell spit ban everything whatever religious belief believe god believe religion probably going still buy episode however new one comedy central deserve money buy used like new copy one perfect protest however keep getting new money person selling like new copy getting money like censorship make political correctness grew age small plastic uncut hot dogs lunch uncensored warner shown mornings fine healthy body blow dynamite crush anvil people everything experience nothing great revered permitted divine divine one maybe comedy central actually much stock else would violate constitutional right free expression produce use terrorism weapon show training burning want kill yet actually singles something censor paramount doubt reach way beyond obvious poke humor screwed world maybe thought sumner executive chairman p president south park show across board rating star cant use never get want kind mistake wish would go away thank much south park wonderful comedy central censorship cowardice deplorable maybe someday comedy central realize importance art first amendment day sure hell giving money ray great south park know love funny would think profitable network trey genius comedy would given respect however extremely heavy handed censorship episode comedy central sorry mean terrorist central box set jihad declared south park freedom speech big loser huge fan south park season stand comedy central decision keep episode loathe censorship fight south park able express always thing freedom speech becomes version completely uncensored set urge excited saw sale store sticker saying never saw since available show see happy checked flat refuse buy season episode thoroughly disappointed disgusted comedy central deeply hope decision set love south park overall ray excellent addition collection however version episode often south park made various around world even featured episode without controversy ironically episode moral argument fear censorship support free speech admit act selective censorship appease certain group people powerful statement perhaps even moral commentary poignant unless truly artistic intent trey comedy central south park condemned caving vocal apparently violent minority comedy central take paying stop people even maybe spend money disclaimer season every season finished get originally intended incredibly disappointing comedy central backbone release uncensored version episode really disappointing even let know getting buy boycott comedy central let fear intimidation win probably best season far luckily saw course fact complete bull believe comedy central still usually buy watch without uncensored content watching season free returned store next day comedy central need money think world ability show version best shown look pretty much show uncut way supposed shown show uncut trey parker stone south park yet release uncut ray censorship concern purpose complain nope case refuse pay boycott release comedy central unedited really upsetting high went drain till deal star missing review product south park series get uncensored would sell like crazy really funny even episode rational people really want see original vision parker stone one group people simply respond violence somebody needs take stand end host might well take every product could offend anybody fair young man working social worker sessions really people roommate zombie daughter devil crazy enough watch worth time spent watching let teen watch either try harder better give better show watch yeah know cartoon still real thing watch watched part first episode stop since enjoy subject manner also style cartoon par interesting like relate show kind trashy felt bad watching give one star content second star animation show terrible funny product sick mind usually enjoy plain dumb watched first episode say would recommend free nothing lost band bunch acting like know talking video non tool talking trivia even accurate tool love band tool easily favorite time sideline attempt get people interested behind look tool got qualified tool band seen film guess guilty seen honest wish film way review history lesson tool would tongue cheek sadly attempt capitalize hard work one rock time come justice deserve poorly used two different people portray person worth time end sorry rented film poor acting poor think good came family hand video monstrosity would gotten zero could poorly made amateur video poor acting even finish shut painful continue watching waste save time money avoid restaurant first downward something else hard follow like like one plot movement energy flow else pretty good review turned bash oasis review good source background like point food album big difference unfortunate opportunity show audience healthy environment recover instead tried bring back ann twice drama house leader professionalism education leadership communicate effectively consistently circus atmosphere shame drew qualified tech run house collection rare music deserve remain rare single young interview even music movie pointless deliver premise promise really like open minded weird weird dance movie unsatisfactory acting convincing beautiful exotic low quality film never regardless skill legendary even overcome poor example production r terrible video quality understand home time ton better plus read video footage cut half way song terrible worth cover photo even way love merle haggard horrible way portray day age make even lifelong tried true pink fan boring bunch useless band split roger leave alone greedy snoozy scam collection unedited boring rambling hear talking weather affected show roger talk media thinking video anything wish mostly post deal crucial band getting back together overall truly wretched nearly fraudulent product machine one pink welcome machine even hold grand daughter attention usually good hi overall like however season much interaction daughter get entertain tried watch work happy probably delete could never get anything run sure service little disappointed show many enough action understand trying educate us asthma fun topic monster year old grandson watch sad hung every word every episode let watch engaging disappointed program nothing like young granddaughter interested least please tell review product receive understood year old view rate imaginary item thanks wire imaginary funds cover didnt realize set would old fashioned pretty boring exciting little one thee nothing wrong product though delivery content rent film option turning watched film good select version order digital demand wasted initially narrator interesting bit realize narration face program well let say monotonous really believe person truly traversed journey information enlightenment think way many peyote buttons desert horrible even make half way think thing kept falling asleep movie part see horrendous music film waste time money watching never get either one back watch waste time film really poor quality could even finish watching recommend anyone thing annoying black guy taking us spiritual journey would white guy taking us journey made gave wondering people like pay oh wait people guy blue know crash couch days say good meanwhile guess message roam desert presumably spiritually sorry thing made ponder well nothing idiot stoned idea spent hour half life trying stay awake understand pot head talking thanks passing message really knowledge power law order show l franchise biggest problem complete recasting simply work new threesome click way really strong equally strong guest might help episode pollen usual witchy role cut convoluted plot well magazine daughter start murder magazine head pollen one got job way case use behavioral learned shrink unravel narcissistic personality premise like disaster think show first season great turning reins jeff loci light fluffy long term fan love vincent wish back series since beginning l series episode truly awful acting believable know aim low remember writing caliber taken complete nose dive premise divulge bad knock excellent mystery felt important make direct connection character actually travel purpose whatsoever except chat character woman much like saffron character worst enemy becomes extremely kept wondering trying save money better actress given episode palpable feeling saying get video smart noise canyon back unbox player monitor running x resolution quality video terrible video extremely blurry according file video impressive video bit rate frame dimension x flash video waterfall manufacturer much sharper video standard resolution instant video look way high definition look sharp comparison free instant video rock season rock sneak peek video also blurry jagged easily visible around people last wish spent money watch boring watched instead cousin change oil car would say done low budget real without real sorry even goofy cousin taking camera turning calling movie intelligent satire rove provided additional knowledge rove got nothing form movie humor rove complete waste time easily description film documentary best boring one love dan butler living life openly gay actor sorry say film never leading man life partner film c mon st century life partner better real either big disappointment give film frowny one worse ever seen movie lack direction movie interesting beginning wasnt quite clear plot going pretty disappointed ending kept skipping forward find going happen movie unconnected cut without resolution movie potential entertaining deliver much way sexual tension guess movie two attractive nudity two second shot husband naked know visually interesting watchable like average soap rated soon forgot lasting really worth rental film make good several lurid infidelity passion full psychosis deliver story dumb two two lots one breast one penis one floppy red hat favor take pass one bad cheap police anyway used old dod arm selling film least buy realistic put uniform name collar biggest pet peeve one could almost see hold man predictable disjointed preachy flow never hokey lemonade change colour carpet obvious enough oh skinny lanky serial killer heavily muscled dude heart attack right final drama fit picture bad one movie stinker even would like movie poorly poorly written poorly mess gave chance watched half movie halfway low budget disaster movie still going absolutely nowhere really nothing sense bad wooden terrible writing stopped watching little bit would rather floss braces one worst even sat stream waste live aside previous basically negative good reason propaganda piece set around murder mystery sort thing keep looking something else sort thing still pretty lousy movie could good story politics kept getting way show name dynamic cast interesting premise well story line well occasional excellent acting movie horribly written inconsistent key shot dark necessarily night way difficult see story together except small gay sexual tension fake yes spoiler alert psychic way quarry would hardly serenely top long missing even appropriate one gave one shot based synopsis worth acting terrible although seen much better story line map decide supposed mystery love story mostly badly written sat would recommend anyone else better watch around love however boring could act better colonel almost made laugh wow bad acting even worse acting horrible felt like movie set listening cast practice crime crime large amount time movie connect precious screen time wasted real sin movie industry acting script big zero almost minute program like law order better crime interest writing review people waste time money b way b movie acting movie bad ruined chance watch end director justify movie terrible acting plot even cinematography stop watching around recommend anyone gave watch whole thing easy acting quite possibly worst ever seen wrong giving dialogue dialogue like struggling remember read cue card zero emotion kind freshman taken level class would produce much better movie never get know suspect reasoning end movie forgotten supposedly really anyway favor avoid movie wow looking best movie check cinematography absolutely beautiful say worst acting ever seen terrible movie thankfully free plot beyond might attractive anyone almost shown like watching nudist rake leaves nothing sexy recall sexy either unless friend one skip movie thank people might enjoy series movie bikini company beach beyond sadly skip movie movie intended rent little saw boring well staged shut much way golf footage wynn golf course show entertaining show hoard sometimes times nothing hoarding bring crew help clean therapist get really learn disease opinion buried alive sort boring hate prime difficult figure free like mess season three free season two season one nope draw line library everything side free side easily done algorithm search program going least everything available pay monthly oh pay month year times access account put hold monthly prime already year see ya fireplace two feeble flame visible colors highly well stack roaring fire brick background like staring center camp fire tuning everything around anyways paying movie life able learn help muggles teacup handle socialization nine error actually watch thought price ridiculous say something maybe part series could see paying much sell single copy movie night similar similar type footage movie seen actual movie one watch one first thought sequel another version suppose rented movie classes watch greatly disappointed poor quality main point fact rather random still completely sure trying accomplish would recommend trying get good insight immigration afraid headline nicely badly written produced attempt documentary film making strongly frank e funeral home one shown juicy gossipy simply ridiculous attempt making something little see series weirdly clips overalls whacking away granite headstone company b whacking away earth big yellow c whacking back share smoke like must also endure awful history amateur film making really rotten earsplitting series heaven music like two mating really highlight non presentation except self current owner decision move frank e mother solid bronze new jersey mausoleum since respectively spiffy new grave site new york frank ended anyone guess never coffin original tomb sonny boy mommy decided side side forever maybe could explain yawn hear cat howling music watch overalls grunting groaning struggle sweat move half ton horror hearse witness extremely dull sort dedication ceremony struggle endure artistic colorize please avoid like plague reason giving even two feel sorry writer producer director thing shot circa never since assuming wisely found different line work fan huge disappointment terribly unfunny aside tedious film good idea feature length story close giving one star individually semi humorous best advice stick series pretend movie never straight video straight big joe rogan fan cool rented stand hour tried three sound disappointed hope get back pay one episode refund sure give good episode good get right point wonder came show annoying heck duck speech impediment teaching young speak correctly see wee us repetitive video clips show fell racing also old black white clips watching got second half video many different however also got boring watching bought sale local department store cost less half cost rental still think huge waste money boring mention boring times thought tattoo artist face reality television nirvana fat old put clothes lots people way beyond alcohol limit rare young know better beautiful scenery show attempt making us believe actually go shopping show pack wearing shopper segment leather seller hawking chaps everything go description hour minute show included seven like going video ran last show blank save money go watch tube much like believe probably bike show unloaded town ride pose next time meet one ask many motorcycle compare history channel better free prime price right pay though acting overall production horrible film although make point gang around world like made home movie camera bought thought darn worst video ever saw since attack killer rate star excuse trying sell effectively video want pay advertisement need think strategy people actual program pretty good clearly commercial channel program broken bunch tiny goes like bumper bumper segment coming bumper bumper segment coming bumper bumper segment sort electronic station would let cut fluff program something multiple fish one two time well colorful tank predominantly gray background disappointed cannot make return digital video purchase going order reef hope many fish colorful even though purpose mainly background sitting watching video even meet standard enjoying occasional glance screen looking fish aquarium experience also think want bubbling aquarium video fine would rather mellow music background visually bland redheaded girl hot story line believable place somewhere michigan like silly flick film probably nobody would better hearing martin nice guy wield axe sweet mavis town waitress one night bad arrive diner begin take advantage almost axe gun fight year later man axe killing gang film make plot twisty dead guy killing people axe dialogue rank bad nudity near rape body blood except one hand camp value horrible acting seen elementary school better acting scary comical poorly like done home video camera better son chance watch excited see summer sure though interesting old video footage script badly written narration awful painful watch narrator constantly even word differently different ways incorrect much video stock footage necessarily relevant said moment screened great story terribly told graphics clumsy narrative leaves critical comparative statistics overemphasis agreement bring question overall credibility documentary two production two vintage footage air turn video due awful narration painful listening common ruined may good program pseudo beginning poorly done title battle normally used refer air bombed heavily mid movie conquering western announcer apparently ended school grade level unable pronounce many correctly movie frequently reflect narrative interested look elsewhere one awful beneath southern cross march fit doc battle original sepia tinted footage well information reasonably accurate narration past tedious grammatical series someone obviously understand correct grammar indeed unfortunate episode extreme change world politics creation new league significant social ending comes beginning information interesting narration know information series intended simple overview easy follow miserably original footage able translate endure narration put sleep like sitting lecture stress enough boring movie stay away film simple information correct text narrator reading many grammatical count many people series speaking public without speaking narrator least speaking associate desert wizard desert lizard great epidemic throughout series last episode give one star even though give star gave could give personal review thing movie going actor striking similarity beyond movie waste time boring real merit legendary life story one something average high could done obviously little fact often nothing commentary saying many clips taken action narration video quality film par large collection one preparation quality want see even though factual fairly interesting series hard time holding attention watched somewhere forgotten informational thought bad narration even pronounce right galley poley wonder even people starting narration would given least narration better name pretty well first short kind interesting went odd well nutty much funny bad shut see pretty horrible mostly inaccurate instance picture saying main weapon weird many waste time original sepia tinted footage well information reasonably accurate narration past tedious grammatical series someone obviously understand context correct grammar indeed unfortunate coverage significant adequately flame poisonous gas chlorine mustard artillery introduction tank regrettable narration detract series information interesting narration know information series intended simple overview easy follow miserably original footage able translate endure narration syntax pronunciation strange almost original script directly translate beyond many conflicting little substantive content poor effort apart footage spotted one blatant error spell contemporary film footage interesting however still finished watching agree commenter also word choice bizarre checked see foreign film perhaps translation pacific media following sentence front page pacific media media communication company video film buy unwatchable even free bad great war good narration best horrible complete lack actual understanding narrator evens quite astounding script narrator reading seem written someone tenuous grasp language grammar incorrect use rambling incoherent narrator never tempo pace reading awful place major war even relatively common someone needs tell narrator give day job oh dear hope day job many laughable annoying sepia tinted original footage positive documentary narration informative accurate massacre language narration necessarily describe footage noted pacific media quick search pacific media reasonable explanation tedious narration documentary provide reasonable overview first use chlorine gas western eastern middle east brief description military simple add way identify series good original footage reasonably accurate information unfortunately narration easy follow know information would good documentary military history even military history atrocious butchering narration original footage ability translate narration sure worse entire male generation narration film footage although footage match flat nasal narrator consistently butcher foreign battle unmercifully nerve gas battle movie pronounced would film much work done script appropriate footage better though sure film found necessary use whatever god awful music find perhaps narrator period war another move producer director could made find mature gentleman narrate film cannot face watching rest unless first light plus none film period war talking cannot recommend series world war poorly produced narrator simply reading script emphasis meaning insane disaster particular documentary spook although war fought produce series seem impression people documentary series prosaic uninspired context war prosaic uninspired context documentary aimless unfocused great war aimless unfocused war hell hell purpose war crap like narration behind thin uncreative prosaic pictorial record make attempt punch bloodthirsty stupidity something noble heroic ever actually bunch blow love complete absence propagandistic jingoistic rhetoric doc fat would learn fast dress savagery propaganda well soon would go dress barbarism noble would understand victory control historical record unchallenged ability turn self serving lie like subsequent subsequent propaganda popular popular best novel good soldier sad lose holy empire house pretentious basically extension revolution machinery rather ever want monotone battle battle chronology get hard stale crackers boy treat listed matter fact given knew without told anything else loss battle assigned right next battle text give information flavor wait like well love saying factual cold reading secession south would exciting worse still sure watching series bunch spoiled royal busy trying outdo built animosity amongst people finally choice send millions honor cocked mess end war choice turn around series un inspired nothing thought extended user guide camera instead got instructional video absolute photography inexperienced information dead wrong looking information use bother useless waste time dumb movie save time something else waste time watching one video music posing rent video waste money time looking something adult rent found checked preview long story short attractive going see anything see maxim magazine looking creator longer exist bad mistake even know us get bad bad bad bad bad say bad alright know decided buy purchase make mistake looking cheap thrill could even get decent whack horrible wow many need say even able use stroke material horrible waste time wonder synopsis knew would give shot waste time money great cover great clearly let could afternoon booty actually definitely hoped would selective future nothing movie used partner get moment nothing movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get movie used partner get moment junk entertaining bathing figured video would something bit sect waste money extremely unhappy piece crap video ever watched save money awful enough said like nowhere near advertisement would buy rented movie assuming movie find movie taking hell thinking read review anything got totally burned one sports swimsuit edition without anything teasing watch cant rate watch didnt hold interest bother watching factual serious historical consequence incorrect pronunciation incorrect pronunciation total trash material dreary writing remind watched middle school looking adult documentary era difficult watch terribly written comically bad hope find better historical account however must admit done much better applaud attempt analysis bit childish school like like imperialism without explaining time explaining everything war imperialism militarism go series closed first episode series high forget cannot remember disappointed film terrible writing complete mishmash loosely related going film moment writing bad language narrator uninteresting style best say gamely despite idiocy reading viewer bad bad bad painful narration drab audio relief relenting man teacher sound engaging world war powerfully tragic incomprehensibly transforming era history shoddily disgrace ashamed offering series waste enough footage stuff like something different one part ran right later ran left narrator like read script recording comical painful behold watched hour series might best reviewer help series great war shaping th century comparison series done ken style like series civil war even though decade since still remember fact rented series thinking series disappointed find rather shallow analysis monotonous narrator perhaps better first hour lost interest within first listening narration painfully aware poor writing like listening middle school student read report hardly enough detail said complement cursory understanding war troop poorly done reason continued watch completion even little repetitive times unfortunately writing rather elementary delivery almost even distressing fact number various key place well incorrect grammar usage evident regardless historical footage though narrator probably worth effort especially one streaming prime explicitly paying watch wad really looking poor visual quality preferred new dimension barely made first episode narrative like poorly written textbook recommend watching world war great war instead bit compelling picture narration sir big plus well promising language narration got poor guy read straight translator good archival footage detailed description lead war obviously written another language badly finally give mislead series available series late far tell remains available share title vintage video great sake listen narration horribly done incorrect use vocabulary like dizzily made wince pain poor quality every way waste time many much better available unlike pained poor writing translation narration well delivery prime content portion available streaming content would pay rent series outright vintage film make interesting watch though watched movie going vacation bad decision waste time home movie put together guy sailboat traveled pacific coast wife partner two embarrassingly bad felt like subjected friend home movie worse yet even friend relevance myriad boat worth time poor video quality mostly home love yet south la without close caption deaf hard hearing fix correct issue many caption except prime poor close caption deaf hard hearing deaf guy quality assume older documentary case information forgivable interesting sake historical accuracy much documentary old battle attack diversion failure tone scout reason fleet discovered time carrier loaded time attack hit times fleet grossly battle even purpose battle jump point invade included typically inaccurate rehash really hope new documentary would produced corrected wish could given one higher rating shame interested learning battle midway find video good however several noted episode attack merely diversion midway campaign longer considered accurate modern truly interested learning battle several excellent currently print seeking alternate additional video battle midway episode recent series date account episode series episode world war battle interested clips military hardware included good aircraft uncommon rare footage unfortunately noted final product example many narrator may get distracted story name pronounced ka tay one infraction script overall also people used days like may day ship bow prow finally choice soviet era music near end episode somewhat especially since background conclusion many readily available battle midway episode probably watch want background time interest read depth topic information battle going watch aware video historic go along production extremely wooden narration fault footage together certainly enough historical ensure accuracy detail aside question garage shop video team worked feel home movie surf trip best always fun watch good last section lots brown stuff still worth rental sure much content think many need know tonnage capacity every ferry maybe little actual destination would useful transient friendly safe spot drop hook video essentially camera mounted boat sailing along would information area typical weather two go marina cruise record camera nothing wrong start charging video boat port cruise race assure much know get video first port eagle harbor part san island port peninsula eagle harbor island yes port frequent people area harbor san island san want useful information area buy guide work wise check example one thing tell video point tide rip super nasty area point hit time passage port wrong ebb believe want know avoid read guide find useful crossing strait safely one guy video pretty good guitarist ashamed charge essentially home video marina cruise area thinking go one reputable consider professional captain first day place full tricky fickle close together lot stuff hit run yes beautiful yes experienced skipper average saying preparation important going anything chase wind around bay area going get need video say sailor video producer one worst ever seen informative area little useful information couple sailing calm look elsewhere hand camera story trip small sailboat sound way little san time spent film boat sailing along mild boring tour san son love zombie genre quite often search whatever find originally found drawn film heck many zombie shot around motor city applaud effort anyone willing put line acting writing movie one able step back critically critique case film would gone long way toward better product speaking strictly low budget aspect film get fact story decent enough intriguing however acting simply much make watchable lesson always best option talent many local theater film good decent talent eager work little money keep effort movie bad even deserve star would recommend movie anyone movie story line acting horrible werent even scary camera technique horrible wouldnt even pay cent watch let alone free sorry wasted well shouldnt even call movie like home video waste money time take handle b handle bad handle bad simply suck movie bad worth one red cent go nearest body water creek river lake duck pond remove money throw water gotten much enjoyment money would get turkey original sepia tinted footage well information reasonably accurate narration past tedious grammatical series someone obviously understand correct grammar indeed unfortunate saw entry combatant political revolution russia unrest within military use mustard gas us war information interesting narration know information series intended simple overview easy follow miserably original footage able translate endure narration probably worst documentary ever watch filled flow relevance narrator completely indifferent amateurish delivery sketchy explanation enjoy watching listening dragged across blackboard may find amusing astounding would use narrator cannot even come close script anyone coach poor fellow impossible sit please remove anything pacific media pure garbage like make half way first episode concluding wasting time trying ignore grammatical term pliers movement laughing gave series poorly made narrator indeed like undergrad two hour read together script one apparently written someone textbook applaud effort provide comprehensive look feat nearly impossible given amount information needs successful concentrated focus rape highly recommend help tell story deep exploration better via tremendous library written various colossal topic series magnitude poorly executed merely disservice seek educated properly one usually cost always irresistible see impressive metal case buy wish start watching feel bad spent taken series one digital realize paying first episode saw actual title listed world war actual title second world war series best buy one elaborate tin originally bought even get first episode bad footage rehash archival footage seen million times narration get narration like amateur reading shopping list least could hit pause button learn pronounce word say must say though learned used country built aeronautics also policy vital peace policy objective annexation us knowledge make us cringe narrator think trying say parallel universe shame misleading trash prime member time available free prime video complain fee nothing praise customer service fact charging anyone amateur inaccurate documentary bit disconcerting especially honestly worst documentary ever endure love zombie voice college student information pretty good bad used voice love offering series purchase watching free prime member whether speak good good german listening appalling grammatical horrific foreign language never though native speaker hard listen stilted language lot german make absolutely word sense favorite example right minute translation something basic literally national socialist german party like german national socialist party spoken eloquence well telling people eager hear reasoning pervading great cheered increasingly ample group people secretly hear speech spreading republic treason brought easy german population behold treaty book mein autobiographical story anti greatness race future enslavement nation gesture show lack interest worldly goods party book point stopped watching documentary proceeds mein party myth like top many came poor interested worldly goods noted many although originally wrote book mostly national socialism grew popularity able afford automobile still moreover tax debt reichsmark us million today million sale time chancellor time debt hodgepodge film footage made sepia give patina historical accuracy air erudite documentary obviously simplistic another language literally non native speaker never corrected know much world war film footage give simplistic view rise stopped watching many historical total amateurish production misleading historical accuracy young definitely kept away documentary dreadful film footage saw watching surely result speaking oddly person understand saying also selected quirky shallow best simply echo saying whole series awful way learning history many terrible poorly written narration depth insight terrible narrator actual motion picture video good avoid buff like series free watch waste money waste time avid fan student always look forward new documentary fresh never seen footage one actually painfully boring watch amateurish presentation narration generally rehash information seen much professionally watch instead know watching ken amazed much research done well even agree content take away research hand microphone brother read article documentary like really suck reading great many grammatical perhaps historical fallacy accusation anti doctrine ad inaccurate couple least ad new movement almost entirely led seen movement thing still anti non element time watched many bad really never disappointed one waste narrator like college presentation flat unemotional place ever seen world war fall short one thing applied video world war story told extra regarding opening scene went put coat leave director told read would first thing audience documentary took coat said perhaps first line documentary terrible tone whole thing another poster head pacific media garbage yes sell eye catching box best buy give impression season good history channel series fancy metal tin box graphics even worse even get tin coin tray narrator torture monotone every syllable pronounce especially regular like idiot even incorrect one part taking defense minister run walk away pacific media garbage great pacific media trash wart worth dare get bottle jack shotgun sit watch video set see make end alive terrible quality video like made ten year old oh sorry meant six year old might entertain someone north slope seen anything dang badly made series waste time might become chronic drunk low quality work narration full grammatical information documentary deep barely scraping surface well would recommend wasting time many better information barely know anything rise power dominance recently took interest barely made one episode almost made give wanting learn read watching poorly produced documentary people made actually get somebody needs ask money back believe mean sincerely high school maybe even middle school could done much better job atrocious narration sound design absolutely everything done terribly honestly believe people care glad waste time rest horrible series lead actual battle way long actual coverage deep enough opinion regarding tactics combat like low budget production even could better focus really showing king even existence time come utter disgust deplorable historically incorrect job live powerful opinion acceptable multiple holocaust familiar also actual live action torture honestly turn narration horrendous try picture monotonous voice ever picture someone trying record second language tutorial every word point sounding like complete idiot speaking idiot narrator apparently never holocaust almost every word normally associated documentary holocaust pronounced narrator point almost insulting memory holocaust holocaust moron name almost every concentration camp junior high student would get right one history class like voice close human get sounding like computer speech found pacific media put together pseudo documentary made look like something reputable history channel source money spend fancy steel box lots good graphics content made garbage think history buff even modern day could make end train wreck documentary clearly war propaganda right start one point narrator gas people per hour psychical impossibility evidence back many prove happen good seen blue eye witness scientist back video waste time listed fantasy science fiction let stick dealing history war basic correct shallow visually documentary felt unpolished low budget narration syntax little annoying interesting professionally done documentary german invasion soviet union episode greatly poor narration narrator constantly evidently vocabulary limited th dull wooden narration style hugely could interesting documentary go world war pass one movie mishmash low comedy pointless violence soft core pornography music actually music none rest anything review rental film little embarrassed rented budget piece hopeful seeing quality skin film plot acting awful music bad hot sure much money spent making know sure would like spent rental back pretty lame totally worth waist time recommend cannot figure worse acting script realize may shortage good somewhat forgiving shortage good idea cast bunch seen better acting honestly actually start film thought may one soft since movie rating acting bad plus side movie hour thirty suffering quickly teenage girl sort nice look gave two made entire movie without head concrete wall distract pain movie brain like said teenage girl easy really bad movie watched turned went back later mistake watch end since inevitable going happen saw movie could move seen end predictable boring worst acting ever kept waiting get better never waste time deeply creepy respectable citizen protagonist teenage daughter friend convince love awful music meanwhile also unrespectable ex con creep come looking subtlety luridness ham handed obvious way oh use black name purely disingenuous screen minute inept social mental health worker sort whatsoever old movie good acting nothing else could watch video pretty completely something follow along away working one part another one minute working arm next minute arm working leg without explaining oil warm sequence back literally back away leg shot rocking leg oil back first time working back watching glad got rental invest money licensed massage therapist would recommend anyone skill level didnt learn lot think lived like cover also description seem match really new title nothing like joke bad joke episode rife one wonder rest series probably never know watching dear reader either instance one day story landing craft never enough lack affected word program graphics amateurish detailed suppose series might good middle school much better dare say many many excellent subject much better operation overlord thought full like several times narrator us beech glad free video drew wonder someone within pacific media correct series narration filled mispronunciation grammatical match original footage footage day many information even correct interested learning history mistake correct agree original footage narration easily misunderstood may create unfamiliar information series world war series many military history pacific media fault film probably geared towards high school younger film make ridiculous anyone many difficult know begin simple knowing high would basic film calling admiral supreme commander commander chief hap general charge ridiculous reaction transportation exactly opposite stated film annoying staccato voiced narrator three st division film also mistaken heavy used bomb night beach elementary anyone read book would able correct film many accurate subject well worth skipping one decent basic overview era history really somewhat spoiled odd narration like computer voice believe narrator trying enunciate clearly came stilted hard listen many turn half brief narration clear audibly precise badly pronounced inexcusably unaudited grammar vast somewhat tedious overstatement monsieur riot design contribution world war combat aircraft work comprised inspired little air power noted unmistakable lack research validation much plain wrong watch turn sound original footage well information reasonably accurate narration past tedious grammatical series someone obviously understand context correct grammar unfortunate indeed significance air power development war adequately introduction simple history aircraft understood concept aircraft reconnaissance aircraft fitted involved another concept aircraft carrier legendary fighter add dimension personal touch regrettable narration detract series information interesting narration know information series intended simple overview easy follow miserably interested aviation original footage worth able translate endure narration hard watch big fan aviation video glaring several times video clips post used wrong model video said plane showing camel talking pup se shown fighter flat giving wrong information doctrine flying lafayette escadrille nice era footage much wrong show subject cringe learn important history get many wrong narration read someone idea reading film footage often aircraft rarely aircraft narrator speaking little together archival footage inept narrator canned airplane narration writing make hard watch knowledge subject also thrown one star zero choice sorry one bad work must gone series think could gotten someone good narrate read proper pronunciation think second language bad could finish first film series poorly written lot u boat war poorly produced frankly dose lot much better u boat documentary well made low production quality dubbing narration could use work much better like computer narrator pronunciation also read viewer well read tried get past narration focus content gave redo audio track low budget problem talk problem narration bad footage impossible watch never history read narrator cannot correctly even passably pronounce single name location even free prime worth time could give zero would rented movie augment lesson archaeology awful basically video woman doctor least tiny shorts standing table museum part read story near beginning story drawn colored pencil notebook camera read story standing talking talking show walk around museum boring lecture even got fast would get interesting never waste time money video low budget say budget try vampire stripper horror flick think money went box cover film waitress dancer make money taking stripper queen film bad make low rent special effects poor acting nothing scary film nothing erotic except dance scene two female hot little expect movie complain loudly would note strain one strip joint totally plot line could call unsuccessful attempt assemble random series logical progression unfortunately one missing ingredient project slight semblance talent initial premise forced transition good girl evil motivation substance apparently somehow get naked find excuse scatter around lot blood demonstrate end evil emerge end prevail screen writer fact one apparently stupidity evil overpower righteous reward victor dominance short flick well worth missing great marketing picture follow movie huge potential let see sexy barely swing upside front audience see please although script description interesting movie realistic convincing rather boring male character bizarre credibility acting mostly bizarre giggling unrealistic hugging holding intimate life two elderly would never happen real life wild infatuation ugly vulgar young prostitute also credibility script convoluted even would problem trying figure wrong main waste money boring badly made disappointed film plot got old halfway ending cliche enjoy cinematography though waste time watch somewhat toward end got stupid acting great either main female ugly like skinny boy stupid film left angry watched whole thing crazy people make sense impossible sacrifice reality make ride plot watched another last night old man interested older woman married younger woman wife interest woman totally disinterested die plane crash film like movie one theses ridiculous one stupid crazy love move house money get married stupid every character film retarded vote latter edit add silly person try slander people talking like stupid movie stupid swallow silly judge foreign based movie plenty great foreign movie appealing took place mostly one location house boring also emotional depth real excitement thrill watch really watch later make option available please right memorable something thorough well entirely fluff suppose film advance would figured would waste time look people documentary look like anything interesting say long interesting story fashion film goes back least seriously would stopped watching instead watched whole thing upset never get part life back looking forward interesting documentary fashion film instead got disconnected series endless string minor really much say gave hard hear inside noisy echo museum truly unwatchable perhaps good information poor quality dry get film primordial title opinion deliberate misrepresentation film order get people buy rent film primordial forty individual spoken word yes vaguely quote obviously understanding primordial speak tradition animal envoy even stretch mostly film continuous commercial beginning end selling rest guy selling school giving anything importance film first rented film computer get added video library purchase rental two separate rental within watching rental guy begin saying talk video hour thirty three twenty odd watching never ending commercial lecture immediately start purchase rental film unless want get angry foundational basis lot unfounded opinion new age however also detract instructor pleasant basic thorough workout suitable anyone wrist injury weakness one thigh stretch easily instructor actually demonstrate arthritis tendinitis really wrist shoulder aware likely workout need able bear roughly half body weight workout injury pleasant basic workout really designed people already shape familiarity permanent recurrent shoulder wrist really disappointed play player workout area work one living room work return player age sure works one room workout living room use wish known ahead time instructor pretty strong accent way much talking enough workout would recommend product foam roller workout massage spinal stability strength unless extremely flexible fit able many without exasperating current lumbar thoracic spine instability injury lots unsafe boring instruction got foam roller sporting goods store loosen tight came minute instructional helpful getting full use roller looking longer workout get lot good workout presentation uninspiring however imagine ever disappointed roller hard hurt back box came use instructor competent slowly video boring difficult stay also roller camera zoom would clearer find better video got like get foam roller also disappointed whole reason foam roller sure would great foam roller use maybe remove comma foam roller even talk foam roller description product worked foam roller two days row worked foam roller pain left side excruciating night assume sit roller device brought pain probably sleep hurt breathe deeply cough still discomfort today darn tired seriously checked urgent care see could get x ray thinking maybe cracked rib muscle unfortunately none local urgent took insurance except one x ray machine available could even stretch tape today hypochondriac first time never done least kind exercise tape weekend giving workout yet tried one two foam roller well known never convinced foam roller beware rating foam roller give negative number straight minimum maybe exactly roller know trying numerous exercise equipment old step trampoline bean big exercise wave foam roller difficult painful maybe meant year worst exercise ever waste money strange pointless film based play produced sad full wasted talent man relationship woman german clear supernatural learn case werewolf film shoestring budget always wonder minuscule choose mystical money well stuck something closer last night might chance appealing actually good german quite good affected disturbed stuck soap career better work rakish sensitive side quite well hard tell film trying cash current craze supernatural ala true blood twilight vampire supernatural element never really shown however hard understand anyone thought play right stuff make good film otherwise one typical find often subject supposed sexy every time two start anything film away something entirely different often interesting quite attractive show much skin many sexy generic television show beyond film tedious mysterious forthright forward mystical tone ever shifting entire result play begin truly terrible uneventful mess better luck german finding work deserving season four even complete season big waste money course refund slightly annoying typical stuff would expect kind genre wish nickelodeon would put original good screen reproduction great time selected see volume suggest people keep watching quality season great daughter could barely make people show bad virtually unwatchable horrible acting stupid boring uneventful bit funny show nothing average boring generic trash nickelodeon days waste money genre thought would give try think audience show produced teen young probably great watch really rate album sure list mark well great nothing else watch give try expect much though either superior anyways premise alien fi love story could gone much better romance portion done rather well ending fairly good except back beginning ending already ruined whited stayed way beginning portion completely unnecessary rather bland static thing well know background stay background nothing done make care even couple simply feeding story give may day hold attention slow recommend movie terrible thought would get better finally turned waste time believe film got form kept would go somewhere got worse went star review prime streaming anime want reduce quality stream better problem want stop stream problem several new prime anime even though problem verify normal prime stream without issue go test screaming update review streaming issue fixed cover art also missing anime watch list new prime anime actual feature would get sub par comedy attempt review delete top part streaming fixed looking description thinking would like excel saga comedy anime got special needs well even like funny people funny imitate sure many better shin excel saga hunt elves good thing need pay silly even type anime even bother watch whole episode seeing beginning would recommend anime people like watch ghost shell keep much else say leading title think maybe better one main problem series main fault first episode pull lot ordinary dialogue honestly keep watching got first episode almost edge pull kind action ordinary dialogue everyday conversation little bearing character development nice character free prime great viewer service first episode almost pull viewer keep watching talk meaningless little depth overall though interesting free prime lot detail put previous high worth free save money waste time never get back story length series washy completely aggravating also felt though many entirely little depth attain depth acquire instantaneously rather progression story felt well thought left lot desired good part although lot dis parity architecture involved found mix technology world primarily disposed toward magic also rather entertaining overall felt watching film noir done anime know speaking culture much different definite loss translation spoken always synch movement times making also speaking pointless since view without media player acquire license longer works terrible product might worth watching come version want read read book would nice able watch version pain watch long series another anime like couple horrific show low stuff go one complete rip king story yep name sword stone many series giving many much ask originality even anime series order reviewer give finally series disturbing degree picked well must say bothersome put lightly hero trying help free believe heaven enemy interested see said standard anime sadly majority anime cast mirrored power reach adolescence dull usually slow paced lived japan three used plodding beyond patience gave three quarters way season give two like originality concept thought would good really let loose tsunami bad dubbing story animation plus price obscenely high inferior anime could elaborate silly plot ever main hero devil said enough absolutely shameful exploitation anime fan anyone else unfortunate enough see home movie narration one man loudly make sense anyone even waste money like amateur best boring get otherwise please better another helping tired topic part culture southern spread many urban across country think could order type watch back back find little creative difference way story told needless say might find little fun crack put red blue bandanna head whichever color prefer throw hand screen get money worth respectfully bad would even allow type movie like appreciate low budget zombie movie done well piece garbage stay ugh shame wasting time watch movie shame brain left turn start skimming trying find shred intelligence originality even thought sorely missing awful movie waste time horrible acting effects done five measly studio movie maker say could least put wardrobe god sake mind low budget zombie steaming pile well know even considered movie like video project poor plot especially poor acting normally keep attention even bad case stopped watching several times acting would improve movie back luck plus didnt buy movie find stunk used prime membership watch free saving grace five movie knew bad zombie farm chemical agent suspected unfortunately drug wicked side effect turns people together flesh eating surprisingly go rampage eat living water supply w stuff causing murderous mayhem even zombie mailman loose luckily local muscle bound lots lots oh yeah group cannibal running around well eat eaten sole print film nothing good film sit half tolerate poorly poorly written around bad film watching make film gave star give zero character development reason care character every tired cliche used poorly done boot sure trying serious tongue cheek funny satirical miserably bobby field de borderline given lack real script fisher probably gave best performance really think ode b movie part make try get part one series even bit part get foot door even free watch prime still investment time steep price pay option read book take walk ending leaves possibility sequel say god really read description knew going happen lo behold shortly play felt soul little turd maybe get drunk perhaps fall coma good movie worth worth please horror movie painful start unless enjoy dentistry without movie yoy horrible video quality acting awful plot crap love b definitely movie well say board sleep guess picky zombie many wrong movie start finish anyone involved making waste time unless ready kill boredom absolute moron might like movie speaking event town believable like horror like bad horror look unintended comedy rare diamond rough either add genre show coming actor director movie meant horror comedy beat boat mildly amusing unintentionally funny several begging k treatment please must watch movie grab adult beverage quick witted help make fun film really watch every zombie movie comes seen lot better movie low budget zombie movie disappointed scary poor acting would waste time watching horrible lame movie worthy f retarded idiot moronic totally stupid since think live people would give someone like low budget b one even seem try acting poor sound sound terrible premise good execution worse around never attention surroundings constantly caught guard theres certain level stupidity forgivable tolerable movie cake give rating lower one please graphic stupid movie could done lots better movie seen humor movie travel guide could good never know narration language understand cheesy guitar track background home video quality mention need step equipment wasted money able worst movie ever seen nothing till end best part short thought would better total waste time money many old release lead believe recent wow bad film everything film bad even make past min skipping middle end never got better terrible acting way way much political injustice non realistic street lingo sorry bad review actually first review ever written actually bad movie rented based previous review wonder written friend film oh well actually watched house idea difficult keep straight face also film student look face priceless jaw duration movie like fact director felt need write review see funny see latest attempt architect chaos sad realization fantasy someone going mid life crisis say kung fu loser zero budget movie horrible least nearly watched time low type sorry ass movie believe selling bootleg type digital going stick thanks nothing waste time money audio gave one star would like refund try video short author casting side barge amongst untold unrelated video buy fishing rod video audio quality substandard elementary school project first example even total novice absolutely nothing video never seen movie watching like seen well see little leaves house wife near movie beginning get away two worthless sons except brief scene see instead bulk movie two young adult sons nothing movie half brain little humor category crude unintelligent three absolute waste time skip give thing thought would different thought would different thought would different thought would different thought would different possibly worst movie ever seen first budget must nonexistent movie like watt bulb dialogue little sense acting grammar school level wonder pitch meeting like ben far luck reduced drivel chose video based movie preview preview current version got old version see wrong shown new version chose wound watching horribly made old version sent go getting refund never head back although cute unnecessary need see honest opinion remember awful matrix made first movie look terrible little bear version bad wonder wild ever little bear naked wear clothes speak human child like set wilderness wolverine bad part guess keep waiting bear like rain like like show movie lots angry bottled water industry taking water ripping public environment plastic shown major source pollution health hazard drink plastic movie appeal mentality evil industrial common man would nice see fact based documentary actual impact bottled water industry environment showing real data allegation surface water regularly industrial water use bottled water industry use plastic bottled water industry movie make bottled water people bad reality many weak baseless made movie could many big maybe someday really good documentary come real actually help solve like primarily emotion may actually cause harm good misdirect people attention away productive real society keep short documentary best convince people fit agenda many present movie future based valid film three main bottled water better may worse tap water plastic used water dangerous water necessity life free made emotional scary music meaningful way simply repeated end movie water bottled water tap water typically bottle scientific compare bottled water water comes tap representative moreover mention made mountain spring water arrowhead company throughout movie pure evil designation arrowhead lie really tap water really comes mountain spring make water better worse subject never raised quality bottled water real subject film plastic appear dangerous perhaps plastics dangerous scare tactics serious scientific important ostensible point film would bottled water sold glass subject even raised whole plastics argument red herring people bottled water whatever bottle made us real agenda movie water bottled free flowing tap water film necessity life therefore must free food shelter also life modern world electricity people without access public transit gasoline indeed water free food shelter electricity gasoline also free end film essentially argument capitalism evil life cannot legitimately made article commerce profit saying premise wrong admit premise one thing sure want know whether bottled water good whether good tap water worse better learn film nicely poorly written piece current rhetoric environmental left left water family business local felt fine water company nestle bought company apparently business suddenly sinister front global corporation conspiratorial aim wreck water supply nestle easier target anti capitalist crowd harp film apparently chose ignore history riparian ie legal around use water related private property dating founding nation defend property explain legal concept mineral majority people connection defense committee fund sole purpose push green environment global warming agenda hardly objective documentary bunch especially woman forth people right water supply right water another property owner land right decide plant vegetable garden neighbor back yard without permission need study history like colorado river treaty much water goes las much agricultural example neither party god given rather legal system decision finally film short work core issue clean water namely people like us footage people throwing plastic water along roadside people concern environment plastic soup pacific nestle find one scene movie got one star watching kerry making head squirm fact used water safety analyses directly without engaging independent party research research people beautiful big action cause close core movie valid valuable convenient product bottled water causing negative effects however disheartening documentary one sided deliver problem bottled water example considerable emphasis fact use tap water film sound though simply tap water put bottle patently false misleading tap water reverse osmosis mineral content flavor reverse osmosis drastically chemical water removing trace chlorine even tap water effective leaves water whose taste flat though personally love taste readd touch salt flip side tap water comes straight tap lived sometimes comes brown strongly chlorine even want brush teeth true many plastic finding way wrong country whose potable water nestle coca cola film sticks powerful drift dubious science climate change pet production people cancer turns good cause voodoo science witch hunt personally use water bobble highly try use disclaimer pretty libertarian paternalist look view movie definitely lens watch entire film fell asleep learn information industry much repetitive might gotten better second half enough interest watch obviously people made documentary live tap water filled fluoride chlorine unnatural fill glass sink see density crap water yet documentary completely concern way greedy selfish water documentary many bottled water yes taste plastic plastic melt little water making sickening beverage need alternative bottled tap fresh water polluted purpose movie issue make bad become work corporation water bottler otherwise support commonly capitalism however daily consumer bottled water continue indefinitely production documentary hit piece period address important people want drink bottled taste safety water character countless dynamics impart taste water taste different every tap vary ever slightly even glass bottle spring claim water water water ignorant beer beer beer wine wine wine emphasize ignorant drink bottled tap water fact via reverse osmosis process similar significantly greatly typical tap water spring water natural spring incomparable tap water municipal water supply anywhere natural spring claim spring water tap water often variety industrial plain stupid shameful lie back taste nearly people aware water bad often taste presence production crew video obviously learned best history longer rather fit example decry strain bottled water community fact one pet times across yet another complaint bottled water transportation consumer bottled water notice cup container video lake attribute severely position video merely self serving naivete dangerous example syndrome stemming maxim road hell good conspiracy minded might think production funded government corporate add like sodium fluoride supposedly safe delicious tap water movie audience believe really unappealing character like joey would attract two reasonable old idea run course movie good music nice clothes ordered film postage fast delivery three later received package film zone unable several resolve still refund ray transfer great colors faded could made better job dark see rita great full try blood sand ray reason saying poor rita share stage spotlight new upcoming star kim like move rita even get top billing billing bozo top billing kim billing like kim rita really like much lousy actor giving movie star nothing higher like affair miss lady shanghai personally believe act kim table whatever rita wonderful talent even role table burt still great movie got great also horrible used live waste money hate memorably boring great sleep aide good used twice two separate nights going tell tortoise watch paced liking flick particularly primary use two majority movie office office brief translate cameo need quick cash want get money get quickly actor nobody ever another mostly actor sad b movie singer nobody ever everyone slap stick comedy need review pie face tripping everything level juvenilely pass comedic molasses antarctica equally dumb imagery anyone needs watch twice catch needs serious help movie call movie beyond disappointing love dick movie made sense really mess know enjoy verity prime film creation little interest perhaps cartoon would like movie first repetitive boring yeah explain special effects yeah act dialogue however review taken critical movie recommend watched screen great l thought actually l movie pay attention got useless pay attention next time knight visual effects impressive make weak plot poor dialogue rate twice good movie delete video list difficult trying end obvious missing something like free taking space full movie trailer disappointed looking forward full movie prime really rated almost everyone nothing seen might star really looking cute movie otherwise fi fan might want pass unless like little hard times short taken serious movie strike nerve drag may enjoy tremendously suggest go ahead watch least part make mind ridiculous dark stupid really know see movie even finish bad finally enough torture turned something else anything else wasting time listing enough sift stream perfectly comes film every time problem forerunner probably already know many lot detail hidden many might thinking video would quick easy way get overview one kind material well visual explanation people video seem idea think convey meaningful information various random order explanation reason might want use fit context actual usage effect insult production extremely low narrator wearing menu navigation buttons fully depressed giant try watching film length time probably take bad amazing day age anyone would bother making video bad entire time actual screen display showing instead random unit set one point narrator difference mud rock show display instead showing talking image random worth dry tedious learn clearly best video recommend realize cost would bought know much crossover video southeast one original rasp snake got point finally video bad production bought duplicate demos first really got hand gay went instant click option buy season yet indicate season finale criticism low rating based fact theses funny take anything understand face value understand something mean valuable refugee came country freedom speech religion much censorship going us bought season episode missing mother child organic episode teller disappointment bring associated roundup ready genetically brand food bring exposure grain fed cattle non vegetarian fed poultry course actual feces nobody know eating feces say however claim taste difference food health uncovered modern food industry bring little evidence back prove excessive exposure modern cause certain dispute discovery roundup infertility still livestock increase human infertility miscarriage rate since roundup ready refute fact rise also affect grain feeding cattle made consume grain index possible draw conclusion could increase type diabetes mean consuming genetically roundup ready super form steak found least intelligent couple represent organic food consumer add insult injury really dancing boob job end show really necessary prove point gather male support celebrity one usually love teller also usually agree time want back closed watch hard hearing cannot watch without happy bought season low quality wish would stated bought wide screen picture small screen poor quality computer seen would really like get money back time mess disappointed video quality episode every third fourth frame missing total effect dragging image eye strain bought whole season occur least one episode fix refund episode great like yo episode unbox good bad video quality gig space poor quality way maybe hate much bad daughter turned probably used nice get hard watch unbox version enough turn bad still love everything else bought episode daughter absolute favorite quality poor famous people appear show unrecognizable disappointed purchase daughter show picture quality poor almost unwatchable really disappointed paying season buy instead video money spent something ad misleading need first season top chef master thank review movie stone mistakenly got title wrong ordered c grade poorly stupidly written cheaply produced disappointment sound level alone made difficult film watch may like film low life strip otherwise skip also poorly first get video play trial error work transferable mobile device movie obviously low budget identify hard get story second preview might consider many look like looking cannot afford rent buy worst video genre ever seen shown bland uninspired music quality video perfectly video even sale movie entertaining majority movie believe took place night clearly daylight made difficult follow sound camera work overall poor fight comical exciting thrilling lot definitely better got waste time piece crap lost first dump go life worse movie ever wasted time watch every thing bad acting special effects another example movie letter box format x usually look nothing turkey either spot even great movie waste money topless boring worth see tail waste money want money back terrible terrible shame false advertisement waste money probably cool back like thought poorly seen better stuff done handy cam mindless drivel great lowering show complete waste watching crap destroy brim faster crack little bit sex less handful bad movie bad bad like introduction see movie ordered never received cloud poor purchase may try bad day one bad far go background music loud one hardly hear commentary opinion quality information since understand saying get really tired oh let play naturally would much better get tired fast l biting yer man bad left teeth stand speaking yer man earthquake fool stunt double late mac r p mean come even second string embarrassment call fail tell j trying gay mike watch train wreck way thought l going choke bitch edit nobody want see get contest bass finish big dude straight like thumb like half pork loin lodged thorax real everyone seem slight pass time free check hart great waste time really shot tried make look like old movie nothing watcher beginning boring dialogue horrid like someone school project cliche boring construction renovation lot testosterone lot action lot better genre waste time stupid watched first episode watch course deadline never able make course make lots crying attitude although end entertaining show unrealistic spin construction entertainment value opinion lack humor prevalence disdain uninformed make boring show like see format utilize instructional information rather disdain ignorance overall show little knowledge us would appreciate rather found passing took chance yes unwatchable stereotype driven drivel guess wait team mascot thought would like real wrong trash trash waist money really excited saw going fuzzy version dismay fuzzy dupe disc studio professional job disappointed unreleased pay plus shipping fuzzy work said movie funny satire style full familiar music like old sit nudity glad wish release meant new clear copy old thing tape stupid movie pretty sure god car crash colorado maybe time bestiality funny come recent movie honestly pretty drunk rented still horrible waste money time drunken time really would made better use time money random drunk bidding bit erotic comedy fun watch surprising mid political incorrectness part university campus know actually even appear crowd scene close also sell boots high price pay real studio release warren miller flick found disjointed course great photography expect flow human personality touch felt like film rushed together shown mystery science theater stale one expect often times remember people met love good reference seeing far science fiction movie special effects come wow premise show provide comic relief horrible b grade fi sense often enjoyable particular movie awful acting effects got two husband still like sort thing enjoyable show often hilarious episode slow tedious smart funny barb coming pace every dull boring sorry say make classic b fi horror movie worse add costume present movie viewer one sit fake movie theater giving comic narration movie wound turning movie seen movie ago think would given peanut gallery annoying suppose suppose added entertainment maybe colorado enjoying new found recreational freedom even k find funny want funny k go future war one bad commentary movie commentary funny movie took place night lighting poorly done made hard see certainly enough made enjoy movie skip one apparently mystery science built front row funny annoying might watched kept fast thinking would gone luck stupid love k movie boring even supply enough material really ham good movie cheap would watch second time even free movie bad expect second mike give idea suck awful awful awful delivery nothing funny one bord laugh one time complete waist time episode slow moving funny still like enjoy one love saw every movie fault first episode disturbing may find neat thought gross opposite entertaining show weird freaky true charitable human must say worst written episode television show ever ever even love discuss episode writer figure thinking essentially episode across make terrifying one video hamster eats popcorn laying back someone occasionally key video kind funny shocking way narrator goes include sneezing panda cat bit funny everyday entertainment someone trying pass shocking dumb believe even choice save time look another movie funny much live action enough bad movie finish k bad bad movie even crow could make funny cult classic year old tried watch min seen mystery science theater series seen fun awful believe ever commercially film slow boring tedious badly social value usually enjoy movie part program unbearable even witty cast huge fan k even save one movie supposed horrible per premise show movie provided unwatchable background felt sorry servo crow like choking small bubble bland gasp anything funny prime member watched prime inclusive first pay purchase satellite love crew saving mess commander short start super laughable wait till end ridiculous robot need spend another misty like b c fi plan outer space wild two sure cast worked hard film watch never type film boring funny nothing plot expect much considering title least one chuckle nope disappointing plot nonsensical apparent reason group topple rock alright believe might give shot fun pass time spend could leave deep reflection pointlessness life certainly comedy billed actually comment whole thing since could sit first half even significantly doubt terrible build unredeemable descent country times watched movie movie went fast repetitive opinion really give insight culture also interesting cinematography lot random inside motorcycle track fell asleep one like foreign sped guess tired tried watch disappointing rental hard even get heart rate video seem professionally made pass one glad instant video rental production teacher likely husband child operating consumer grade video camera telling story written left room still watching tool guess goal offense people produced video sure meant well setting home video camera noisy clock shop nothing built camera microphone ring binder flip hand drawn poor production quality get audio horrible video operator seem leave camera alone constantly panning slowly instead setting shot leaving camera alone message teacher trying present adult unwatchable sorry nice idea put money professional production bother making something could make better equipment home movie predictable acting look like bad special effects speak blonde first really keep looking good movie one worth two starring dad big tall trench coat shot old setup another camera one sitting ever made beyond back made minute movie super camera money spent movie purchase large pumpkin movie sure one bit production cost mine still sure movie transferred perhaps film quality horrible script could made work better story tried true simplicity original continuity well done blotch transfer one point unless aspiring uneducated film maker looking goal really recommend movie although like certain degree three different incomplete thought male men good gullible need nudity sex felt like watching plan crash look forward sex nudity terrible acting bad quality cheap awful waste hard cash wish someone would terrible unable enjoy movie movie kept stoping keep happy one u home made movie acting horrible nothing like horror movie even act better movie total waste time money theres meaning plot poor scenery bad acting good movie free think would pay see one else know would zero star negative star subscription abundance name amateur page thing movie home video advice want profit idiotic media gold rush shoot movie dark make sure budget actor smile job truly someone would actually nerve charge money movie real besides fact production eighth grade school project movie absolutely sense think guy got family bunch together weekend shot random stuff tried edit together movie even low budget horror like waste time one movie poorly shot poorly dreadful plot budget simply whatsoever frightening gore dreadfully fake appearance rather know people get actually pour even modest money making like trust avoid movie like would plague since seen movie damned bad seen really dreadful kind enough offer learned ignore perhaps ignore mine throw money away even dreadful movie promise though extremely sorry good idea movie title crap movie seriously stupid story come cant get zombie story right wearing revealing look good movie mediocre acting way many stereotypical oh way mention like normal used also real end poor whiting acting good enough even call b movie love b movie business nothing approaching interesting entertaining bad seen low budget kind value watch reading rave low budget zombie flick thought would give film chance seeing zombie film fan going though lack zombie movie withdrawal watching say either trolling watching film two trying make way back science lab base mission find supposed examination zombie apocalypse great concept flat face realizing film low budget awkward voice dubbing decent zombie make unfortunately make thing give film reluctant props acting stiff amateurish downright unbelievable crazy predictable ending oh man ending terrible film survival dead feel worthy story driven zombie film category waste time money travesty movie written produced directed camera man mark film dream soldier cain best known voice black video game cop crime scene sex miller thanks nude scene problem switched black white dream scene reality film color oh wait whole movie black white box colored never b w save money executive producer bell cain partner confused early plot order talk base stop town hook someone satellite dish irregardless direction pointing leave town contact without device loose virus people natural take anyway early sound dubbing start vehicle crank right away key turning match grinding noise bad dubbing end bad camera original night living dead classic watch b w bad camera believe director camera man hey put camera guy talking soap opera early affair cain contact voice bethel married insanely jealous miller bethel like small fire station obnoxious bell cain kill guy cannibal rather spend night house opt leave spend night campfire looking disabled vehicle either cannibalize useful house powerful rifle scope filler boring first plot twist plot spoiler alert comes insanely miller bell kill cain return sort reverse cain story miller god satan however coincidental symbolism never fully according movie headed south bethel pa unknown state pass terrain transverse like area cain along way meet rev shearer steven f clark also author make man dawn wow really saved money shoot external lock hospital door get closed glass lock unable enter search inside hospital long boring terrible background music worked fine opening need variety trip countryside wasted could made metaphor different aspect phases life maybe major arcana tarot four something mythology instead wasted lot film sometimes lousy movie great ending tie together one able sit though really bad really bad believe would charge rent bad mention bad movie could even make past movie sure may appeal rocky horror picture show girl new housemate worry black goes night could connected recent string area plagued candle dark extremely low microscopic budget film drag even min length try keep interesting w different camera semi spooky villain unfortunately exciting intriguing although shock finale also fun little vampire history lesson included right bat could tell b movie well maybe c movie b little budget speaking come acting bad difference people memorize act express best actor probably rest good writing may reason dialogue bad author play close attention dialogue audience interested another negative sound times distant like built camera instead overhead lighting throughout film bad done badly camera work terrible honestly like high school film amateur video lack length high school film sure good good job video sold genre difficult compete could done better minor could made decent b film gave star effort sympathy high school college film need state description first straight boring fluff even use board good fluff till strange stuff last least really happen see fake unskilled acting well cheap computer graphics waste time love horror watch something else plot hard follow terrible acting acting special effects non would bother movie world would consider person throat cut hit run victim unbelievable usually love type one boring good nothing else watch encourage everyone watch free huge emphasis free prime watch around minute mark cousin goes mode fire town pretty sure worst acting ever seen seen pretty stuff stopped movie really bad burned negative would recommend waste time warning determined harmful induce coma thing l lame spare agony pass fake plot call non acting stiff interaction forced unrealistic feeling like something bunch maybe little bit stoned people came home camera first right said wish read trying watch cure insomnia well say really like movie may put together couple art barely passing waste time one slow boring movie real story boring almost finish watching love lot like thought would least like nope stupid many badly made good part watch would suggest skipping one begin film like undergraduate film major weekend project trying like saw failing mightily hour best spent cleaning rather watching movie show complete garbage require proof yo age watch garbage pollution bought accident realize returned immediately without watching cannot view type video without eating good person ask item watched season season episode finally doubt give show whoever show interested blood war pig blood lots talk paying attention whatsoever historic claim examine take episode first matching military written language well organized iron forging stone age native culture joke somehow show found possession steel lances iron hell might discovery century complete go examine bow range short bow composite bow year smoking something potent knew today high tech bow killing range hardly foot horseback talking take information show inaccurate war show beat stiff competition go back matching given way movie instant video impossible hear dialogue blown loud effects like alarm going tried watching instant video could hear dialogue yet non dialogue sound like thunder would loud could likely hear watching slightly manageable constantly move audio felt like guy fiddling constantly knob trying tune ham radio worth headache lame movie flick mixed kind story animation really good one hold interest fast much maybe wrong day watch video boring painful eyesore stand watch value si te time turned perhaps wrong day watch found best fell asleep within sound terrible hear audio therefore able watch please fix talking back life head experience would go convincing rebuttal head pure energy uncontrollable finish movie usually like animated one fell grey category movie feel quite like animated lack ratio obscurity catch interest like million dollar independent film though much like blockbuster production unfamiliar film festival sure interesting movie except dialogue many lower general background sound level movie hate like volume unbox volume headphone volume dialogue barely discernible although general background sound movie loud understand motion picture sound least could offering movie never get time used watch back friend funny pretty sure people need psychological drug treatment pure white trash waste time watching train wreck family friend told rent thought plain sad pathetic people like even part society unreal thinking would like disappointed watch another show one glad need get far movie stopping badly cast worse script least first half hour movie tried go way done talented movie shown acting school bad acting unconvincing around especially could mean bad waste time money incredibly stupid story horribly big fat waste time money cannot believe anyone sat drivel would give even quasi good review bigotry piece trash long time since seen crude stereotyping us well written finely comedy anti strident couched series lame one point emotional breakthrough main character purposefully rabbi praying hard imagine would happy either main character certainly made woefully uneducated piece look dictionary main character film f bomb within like first minute really waste time bad plot thinking made stupid really waste money make think concept movie fantastic quality first min unable watch rest maybe fair judgment movie since watch whole movie didnt like waste time money one plot good acting bad overall save experience think funny guess get comedy blah blah blah way comment film intelligently without psyche film psychic field case lest go unaddressed film core unfair negative comparative religious analysis completely absent surprise surprise supreme full pernicious humor best failure worst hate shabby disguise waste time unless watching film understanding deep conflict film way positively improvement example far apart remain even humor intended benign waisted life watching crap want watch crap go ahead see worst even finish fascinating well done want kind head turn white trash become social welfare system liberal make anyone self respect realize feed continue breed rather spend money rat food cockroach food less whites documentary made burnt used court stop subhuman trash tax payer money thing missing tee browsing documentary section demand library thought movie would coal mining family movie nothing coal mining west reality show found city regard people lived selfish know many people real life act like people movie documentary section put action fiction pretty much reality documentary low budget poor quality analysis depth give meaningful context looking film drug use violence profanity promiscuity documentary title work one word long nothing wonderful people first like least tight knit supportive bunch learn even victimize suppose film tried stay neutral neither praise condemn whites many cheered townspeople even hank effect really take shower watching early film town official local received scholarship story good question would make much better movie video family film family filled moral drunken badly front small born addicted murder total train wreck watch risk disappointing big let give people attention make movie crap came across movie knowing witness say heck every child family removed custody already fact county state federal government knew goes family far violence sex drug use front appalling give crap brought family fair chance life state west ashamed leaving clan great example poor little guidance taught turns killer drug addict know ask west get growing environment working coal mines poor hard want better speaking family believe anyone could watch think welfare little know grow told funny watch found stupid ridiculous never amaze people find entertaining thought tacky remember poorness region accurate understand someone would want people know violence care would watch need much better one family want know bunch backwoods crack think life get trashy white third generation country singer hank nicely rest crowd real must see reality needs jerry compete film ridiculous piece trash people film made people spent whole year came known saw involved totally lost respect hank white probably free people county last country family plagued addiction selling government really definition freedom even close fan hank found film song ray white realize h glamorize type trashy reason film ever experienced true human trash see culture truly exist law enforcement example dangerous people contact disgusted film felt make first review thing left say take advice someone actually respect society waste time money encourage behavior film thought may get better never turned like old white trash family wasted effort someone would choose film white trash family could dig beyond people embarrassment beautiful home state hope rest innocent people next generation ruined best line movie attorney said local boy going making movie friend work said watch hesitant springer fan show figured dumb white trash video like seeing tube watch every minute watch lose point really true another movie make people west look bad people west alive well someone lock people dont know anyone like nut first dancing outlaw movie funny simply pure trash want watch ignorant people day movie save brain watch something else less intelligent watching many people think film documentary hilarious disagree whites poor excuse human existence prison family film entertaining eye opening surely made mockery poor people us privileged bad name especially trying live decent law abiding life people serving life film worth time money spent compassion people even given chance normal life sick stomach think people getting away type behavior wake lock people throw away key would recommend unless want watch jerry springer properly description low budget film order paying unbox player video currently unavailable purchase rental expect pay something told unavailable wild wonderful whites west festival premiere embarrassment human born raised never scary uneducated sad people hear population reduction family good place start full crap little song verse goes version need anyone really every one hope god people town use amendment right well still lock load collapse think get zombie sadly trash like entitlement across country brought us doorstep death criminal people law positive point trash doc took baby away thank god judge reason watched see outcome issue judge go round honey boo boo people ever watched hearing resume life turned could burned would people really low life choose think movie riveting first whole family crime drug abuse violence prison without education purpose unfortunately underclass like poor whites sunk destructive also film well director grasp white way life interview find name people taken lack hope stood way saw possible outlaw persona self destructive behavior want acknowledged getting lot trouble way would add taking perverse pride unique family tradition unfortunately becomes clear one film whole poor people surely coal mines west whereas may affection whites movie sale clearly interested circus dysfunction prurient public holding ridicule interviewer one admit threaten camera amusement people made crude series jackass expect us laugh wild wonderful harmless wonderful cocaine woman becoming pregnant random interaction giving birth addicted baby losing baby state kind life baby grow funny low grade entertainment vein public staged movie documentary pretty bad bought relative living gag gift anything perfect looking good movie watch view life unfortunately product west beautiful state honest hard working show side waste good journalism even finish big one better luck next one jack ass quirky documentary white clan turned nothing look family drug use violent ways waste time fail see family documentary worthy point seemingly say look wacky cocaine hospital right baby shooting face strike wild extremely certainly describe wonderful seem like grown understand film chose use matriarch family mae speaking could understand fine meanwhile kirk sue bob mumbling incoherent storm found special might interesting watching really disgusted watching original whatever guy nothing interesting two different dogs get two different wonderful family disgust came show crying dead mother kirk crying baby taken away sue bob crying son prison shooting someone voice film maker saying people real real clear real real sympathy empathy supposed people eke sad feel bad especially film really stop problem someone making film type family like fact light fashion whites make look good way act like lot incest family watching fail see family singled special interesting like random low income inner city family except instead inner city drug rural drug story short lived fame dance music addiction alcohol unwanted unwanted education crime seen city well already like losing way say would anyone want watch bunch felon silly film interview work done well sad chosen family product culture poor formal education sad next within family horrible documentary life never get back believe actually documentary watch cut half way would recommend one lot plan white trash make movie real jail nothing like best state great people great land reason watch disbelief people like reproduce watched made stomach turn cost society sickening worth watching first whole story get better white pathetic film subject never seen group dangerous people ever worth time know people ilk anyway much way produced content would known people like would never rented native west find entire film insulting little wonder continue exist seek glorify find tragic see multiple one family perpetual cycle depravity tragedy fact people seem take pride waste money free want see really stupid people action nothing west type people found throughout us everything alcohol normal behavior watch boring every state family whites degenerate poster birth control need license boring uneventful show white trash show people drain society every single conceivable way nothing wild wonderful worthless people take tax money taken hour life gave one star feeling generous film white family around year wow talking wasting life talking whites took easy way really share us anything unique vaguely interesting white instead went salacious route drinking pill violence could taken film number unique family mountain dance history one reason fame west touch briefly point untimely demise family would one trading family name since edit apparently still alive still make movie watchable nothing redeemable film look elsewhere documentary completely pointless showing rural live interesting showing urban live complete lack drive morality movie little redeem badly every thing poverty pill drug addiction lack education poor hardly wild wonderful pretty bad late night much higher mankind movie industry either industry become desperate documentary production star rating system went negative would top list bad bad bad point movie actually know people came hillbilly stock west smart led successful good absolutely sympathy whites ultimately choose fell asleep twice go back see whole film watching movie fine could access supposed able watch multiple times specific set amount time get full use able watch boring wild family ask simple drug clips neglectful boring looking never get back hour half life believe people wasted time redemption government hell earth even free world movie government dependency people family jail life kind people make country look bad think worth watching rent buy movie unless want hard money go degenerate continue breed illiterate west watch find sad commentary human interesting anyway single one people white left find slightly bit odd work would think would get sitting around drinking smoking pot snorting guess also bit disappointment allow delete kindle waste space remember friend college voicing disapproval exotic people upset objectification film perfect example approach except done competent anthropologist goal mind even ability instead white family purely spectacle drunk drug addicted ignorant might interesting see background gave rise unique dance style history going back hornpipe tap dancing blended west unique geography area whites came settle example west civil war yet clearly culturally southern state maybe short explanation would helpful instead viewer father ray white considered premier mountain dancer day following see little dancing enough tease viewer make want movie mainly bad behavior various white family none respect interest prurient attempt coherent narrative abandoned many cut back forth full beard clean shaven easy figure shaved beard several growth even knowing discontinuity found paying much attention beard vanishing detriment information documentary insult white family state west united art save time money read entry go mountain dancing mildly entertaining main comment could find family like rural town making whites west people west live b something unique west rise drug alcohol addiction also serious much behavior authentic versus born raised however glad never came contact disgusting family really believe publicity stunt life came contact ignorant people white family pure stupid openly selling think maybe local government area needs investigating anyway part raised would type clan movie friend hilarious documentary hillbilly family west think ever take recommendation friend yes laugh times even though everything funny also disgusting portrayal family entitlement representation welfare culture negative family whose father put eight crazy disability due mental instability even age pretty much openly admit want think government responsibility pay watch guess people oh also get high pregnancy really well south park skit blue ribbon white trash trouble white family much love heck thing kept coming back south park episode blue ribbon white trash trouble people drink unfortunate family shown example snorting immediately giving birth child sick people like able procreate lived people live hate people like whites live welfare consume much time stealing ignorant purchase help get attention badly get ruin watch movie man admitted robbing gas even life simply put ignore let police god deal buy exaggerate negative w v people could stand crap turning hope make mistake truly frightening entertainment nowadays anyone nasty behavior needs taste stop rewarding despicable behavior white trash red neck law garbage nothing movie way much let spend time swimming gutter nothing uplifting enlightening pure disgusting waste time giving attention least deserving town sheriff exactly right ignore low give attention people community accomplish something inspire like boy went waste anyone time garbage red neck documentary family morals respect judicial system find anything entertaining hard watch sad hopeless hard believe people like survive work hard struggle survive biggest sellout act way child resistant car seat save life bad story line bad acting better bad watch skip skip skip skip complete waste time interested watching movie white trash dead may movie entertaining informative way need confirmation social misfit exist country watch movie local radio personality going funny well sad stupid dont waste money someone chosen west find interesting known people like never see terrible mass always seen everything oil seen west similar great history west bottom society epitomize good decent people west suspect star shown either movie breed hearty people surviving mountain west one could thinking family hard working people struggling make honest living sadly could farther truth reality collection film clips bunch unemployed drinking smoking foul mouthed even drug live government gaming system pat back deceptiveness father government social security time twelve age sense entitlement immunity throughout movie poe son sue bob white convinced get probation murder billy hastings shot rest family actually crime express outrage injustice tone set whole movie game system take want give nothing answer one clearly movie entertaining social educational value sadly white family continue propagate degenerate illegal ways offspring honest people west live stain wretched tale great state known better movie watch anyone younger pure trailer park trash go back watch kind life video way true picture people west west know several whose name white nothing like whites video documentary worth time watch make mind whether family watched got shut maybe hour great documentary film one delusional family best thing since sliced bread alcoholic drug even worse need camera money hand could make thing around people like everywhere go unique special loud foul mouthed hardly claim fame movie extremely disturbing would recommend anyone gruesome graphic bothersome son film advance content stopped saw jackass involved however continued think one family community living solely consideration anyway kind state precious home enjoy jackass like many trashy people really necessary didnt see point encouraging even get first boiling fury representation west prototypical use film industry project cast light west without real knowledge state history culture picked shame west document person county also gross misrepresentation famous person west military stonewall actress actor singer brad late politician c many want real story west research state used knowledge constitution illegally split want watch movie people ignore documentary realize film way make money everyone jail front west cannot enforce law sure soul love people amazed people even stick issue living want neglect bus draw line good news ignorant killing people need removed best thing movie give hope die longer burden society movie shameful embarrassment least west true south inbred drug child appear shame helping instead laugh save watch drug poor depiction real people racist show downgrade real west people whoever put thing whatever go shovel dung instead movie dung husband movie never seen seen came watched together see stuff movie people already think west stupid class movie stereotype back let people know watch west act like fact majority us us educated civilized people disgrace could watch whole movie seen bad cake people planet bar none embarrassed even say watched biography cockney handicapped original stiff recording artist forgotten writer sex rock roll enticing music historian lover rock music like especially new wave genre formative high school unfortunately movie film practically unwatchable stylish daring like wild music video properly act kind cinematic biography director taking bold story outshine manner story told one unnecessary way much style substance heavy handed dull neither guy cute scene fluffy pink pen movie horrible quite vapid guess like cheesy effects loser guy talking ex would great movie thought would go psyche guy rather entire time make effort make work silly short made quickly want see movie sense short might excellent made decision debauchery hopelessness road addiction hope local aa meeting feel sorry sorry find entertaining observe condition reality despair dialogue direction acting clearly first attempt film production could hold attention generous jump yet another rip ring could inspired generation purely exploitive material tried scene scene plodding saw story entirely predictable acting amateurish cinematography production value time low give kudos finished film since obviously everyone first stab real project prime maybe regular shopper whether prime membership waste money opinion sit entire perhaps sign talent sincerely doubt worth time even read review avoid movie cost even watch whole movie wasted wish could disappointed grade f movie stupid dull hackneyed lewd sorry wasted money poorly written movie ever seen waste dime movie best part long ride canyon saw turns scenery less times ride canyon saw turns almost many times rarely come also magically change colors scene awful movie horribly weak story line place acting akin get excited good sex get quality acting sex waste money quite thought would full episode got less generic advertisement military get anything like normally enjoy interesting information found difficult keep open always use narrator accent one listen eloquent babble remain awake also found interest covered would preferred hear maybe would prefer another topic mandate heaven professor teacher please torment one wood civilization ancient china south central last modern western united beautiful travelogue wood priceless made ancient sadly narrative sprinkled support negative opinion western culture unbearably hot twice devastating effect disease south genocide world ever genocide truly deliberate wood west contribution living greatly extended life span universally instead materialism natural environment according wood success west based exploitation rest world personally like style animation think type animation story reading bo boring fan motion comic think great new way experience animation voice work hex series beyond terrible way rate less one would rating solid zero purchase complete total crap subject line recommend show deaf mute crack bet staged never watched would never watch think must house guest turned advertisement dive store north thought would geared toward actual diving north understand streaming audio problem obscure instant video opinion film made produced directed bunch freshman film school part school project marginally acceptable first effort try make something let depress largely everyone start somewhere done film school think seriously consider switching done company serious attempt something entertainment predict death starvation everyone involved probably delusional enough realize bankruptcy change path salvation angry watch except produced via third option choosing write investment film charity help unfortunate stave impending starvation little longer positive note used bad channel original film provided valuable perspective worst possible thereby helping alleviate frustration thanks save money watch director cut cheesy movie bought director throughout explaining movie made seem much continuity film kept around little people pay watch film aspiring film make homemade film may benefit advice bad good way movie bad movie commentary want see bad old cheep movie made thing may watchable without commentary could get watch swamp people alligator much much better turned second episode finished going back watch bought could watch standard definition page version instead sign prime first screw admire respect steven hawking great deal science behind show like fantasy passing interest physics like kind grade school lesson higher degree knowledge product good fact stream garbage mac buy get thought would basic science watched nothing good disappointing program might capture imagination year old interesting someone already interested astronomy astrophysics like taking science fiction based actual scientific discovery good narration video available far see would love buy could please anything please take account never ordered order year old husband father would never order something watch mistakenly put account could take return money would grateful also tell people great company worthless reason watched company see would care see someone shopping wedding dress may entertaining silly giggly brain among recommend thinking person never seen series thought check colossal waste time money energy mostly show people think center universe stop watching half hour speech therefore way much read short time given read think native speed could enjoy film movie poorly made moving camera across historical accuracy narration questionable narrator forced ancestral home due war today believe left war simply best world explore pacific found challenge follow golden plover none covered would call least historically accurate founding without doubt complete waste money somehow visual would enhance mindfulness meditation experience found introduction body scan beginner advanced almost word word mindfulness meditation even narrator vocal tone mimic know couple married couple pretty much another threw video waterfall tree also included picture producer wife yellow tell even necessary thought maybe group produced go along one c mon going copy someone else work least creative enough describe possible one might feel different body ways highly unethical producer one college would save money take advantage free mindfulness available marc wasted please rent buy waste recording material lick writing acting way shape form point video visit bar hear background even though video another pair bar could hear clearly hear recite really bad dialogue avoid piece bad cinema movie doesnt work got stuck error annoying error needs fixed watching another horrible movie give one even quickly one previously watched like early cinematography mediocre poor resolution horrible big screen lot annoying background noise thing music poor quality movie less individual spiritual search sue individual journey even walk divine wisdom upon honestly found quite self serving part sue documentary month walk week worth walking baggage shipped point point evident lack certain spent money thinking mother would love quit watching faith healer odd singer guy taught everyone supposed anthem self film maker movie week long walk five ladies last part de movie around five ladies walk see scenery along boring walk entire put perspective way martin sheen scenery wonderful felt like got real picture would like take pilgrimage company taken kino made illegal dub r boot buy version get direct kino unlike laurel hardy clips seen big disappointment poor video bad advise poor quality woof woof woof woof woof woof woof woof god complete waste long totally boring thought going give background casino story fluff even entertaining fluff bunch dark shadowy anonymous conceal id people believable junk junk junk please waste time money free counsel watching movie would recommend anyone best completely pointless dissatisfied say least film four five unidentified poorly people ostensibly connected real life people behind casino bald guy silly goatee brag dangerous wheeling sandwich shop owner roughly minute running time talking tough pay protection money gun self former associate whose revelation middle name larry woman going little girl chubby guy wearing taxi driver cap lunch alan twelve year old two days notice almost none las remedy director disparate news footage hole wall gang since enough pad thin amount information also movie casino reason thief good measure together without context across jump slow motion footage camera crew setting motel room zero information documentary set speaking unconvincingly may may know information real story behind casino project disappointed poorly made film little interesting information information interesting incoherent order every level sure rent awful film priced would feel completely promise read article watch video get money seen movie learned little actual history really lot real key quite disappointing especially pay per view based title description assumed people today instead nothing running around streets people got rich getting two three sentence lengthy interview individual look actually got rich good work general one disappointing documentary bunch fought used capitalism make world better place throughout focus screwed everything today result intervention reach show sacrifice hard work free market able get people choose support crap use free market film capitalism evil even though organic local need give power force us way much bias little people shown eating raw unwashed food farmer frankly modern high production farm industry film major health problem came late discovered end really first three th final season good stuck main earth turned plot predictable first three great one series person would watch several try figure watched several save run series owe way acting terrible plot line terrible graphics mediocre think watching old silent movie chaplain better use time thank absolute garbage future look interested rate buy gay robot head body large member try impress kai got episode series say season got pretty stupid previous wonder never th season plot good imagination continuity poor really identify jump one poor acting scene another small flimsy cardboard blue screen stock footage scenery blue screen mundane repetitive romp fun laugh watch alone looking button great innovative fi series thus one star review lousy effort echo bridge home entertainment image transfer new edition awful even favor try find original season one truly refreshingly original dark dirty long dark dirty fashionable must see two faded little still entertaining getting tedious three us four course find ended left alone season three four appallingly awful effort like put together year old student unable think waist line handed tripe fail deservingly best rather juvenile soft acting plot commensurate standard season four bad insulting believe actually money people made shameless actually us first place worth comment say cheap junk waste money buy season one seen two one well lots good fi season four life never get back like movie instead received brief interview brief interview long movie tooth fairy allude great interview another unauthorized purchase made someone house made without consent pay came wallet waste time read phone book list box cereal volunteer local hospital save world shovel snow write poem wash go sleep anything better listening silly people carry monumentally dull whatnot rummage decorate life found shocking usually like caroline one evil bully show rumor thou caroline told bravo would leave show show bullying woman top cruel kind used like display watched three beginning show kind behind cruelty bravo instance find reunion show enjoyable watch two enjoy much little concerned show higher season lot would think last season last supper explosive finale bravo ladies would come agreement truce season worse first season course drama lighten unlike seem understand classically mentally ill rather understanding hair complete insensitivity issue excuse behavior explain psychiatrist psychotherapist rather first ex husband enjoy humiliating even understand bravo lack decency complete misogyny behavior point self destruction written drama would reality need warning stop madness craziness incident country club turns something worse bravo seem enjoy humiliating like sport expense comes caroline garbage last reunion even view inhuman unworthy company trash verbally psychologically physically proper react bullying stopped watching show hurt sting lot imagine caroline unofficial leader undesirable group power contain situation chose ignore caroline might come across member group two failing son law school blame law school helping bull leaves show handle situation course worst know family living financial lie million dollar home husband debt million fertility fourth daughter mind add another mouth litter financial help explain horrible like punching bag regardless view whether positive negative light scapegoat villainess bravo finally accepted role spotlight used presence figure regardless behavior season people believe well deserved become human regardless people view nobody whether hair simple slap face seem enjoy throwing around like garbage worsen situation caroline would done adult thing come together neutral setting without table verbal violence going around guess bravo ultimate misogynist enjoy drama matter cost human decency guess conscience put show air first place going watch appear civilized related one another fan watch please waster time unfortunately movie supposed free reason one star based free version movie three min shame got watch enjoy ended turning watching something else thought movie instead disappointing thus bother watch boring boring fighting action jeff thought movie see movie good much else say known better preview type thing movie know movie movie oh well worth shot well interesting impressive even like young walsh seem struggle story script love doctor planet dead episode good girl worst cannot found express joyful see russel era doctor come end endless going sorry sorry string awful mention idiocy th doctor blubbering wanting move well say reason smith perhaps best doctor ever series pure tripe love series unfortunately special really bad way beyond little bit cheesy simply ridiculous enjoy poor direction poor storytelling overall disappointment love doctor episode horrible get wrong part atrocious review horror end time review part snap one play call phone hate waste time watching junk resolution low acting horrible choice watching movie watching grass grow choose latter certainly entertaining movie first found terrible yet comical extremely horrible please watch see saw really cannot put bad film explanation purposely wrote bad could found people absolutely acting skill whatsoever free still want money back like bad worst ever seen apparently thing bad bad good went back unwatchable stopped watching friend mine voice part see sorry dude leave big star fan big zombie movie fan would think movie would like peanut butter jelly unfortunately case note future reason zombie generate lot money find way get attractive young naked screen movie looking underwear sex apparent reason zombie attack fake sex scene sake fake sex take school waste time better name would dead movie watched shame cannot say anything except never made real piece crap waste time bad acting bad plot bad format x good love older fairly detest whole series great cartoon albeit bit corny kept improving prime middle however quality television program sadly really want keep liking fairly always still enjoy lot older broadcast couple certain however albeit humor still quite witty intelligence program received downgrade attempt seem particularly featured series however comical even though run running repetitive time days grown repetitive annoying ever albeit many witty funny first appear continuously keep throughout course episode worn multiple people comment show quality first drop debut baby poof think probably true actually mean want like poof agree anyone adorable want snuggle take home unfortunately think quality program first long first reduced something tolerable quality turner crocker maybe even like negative exaggerated comical irritating want genuinely watch older fairly really funny sadly humor thing past trailer provide information like dislike rest film trailer opening sit trailer imagine bad film must must found movie tedious word boring five boring boring boring need something put sleep make husband forward seeing film time disappointed especially found sound quality poor could understand dialogue love seen many conversation colin confession booth undecipherable could great film us see together turned film get better throughout entire movie flat one dimensional care could even get first knew terrible first watching headphone understand word terrible care whole movie dark gray plain boring worth watched movie really draggy boring finally gave stopped shut watching something else jordan ondine starring always dependable colin enchanting polish actress st quarter film captivating suitable background mystery fell apart final quarter nothing routine eastern smuggling alien plot foregoing mystery enchantment disappointing recent effort jordan film beautiful photography beyond little going language often unintelligible conclusion barely coherent sham script based movie avoid daughter way movie almost impossible understand dialogue look summary even know going spent good part time saying say love character plot development movie must review said boring need four boring boring boring boring right good part noted colin lovely accent movie good sound engineer ordered gift rather suggesting streaming know quality sound track movie ordered feel movie love giving gift someone may actually solve problem closed caption option independently something tried yet unhappy movie ondine something watch story interesting first finally becomes realistic turns normal lot reasonable left unanswered like survive net even though sort singing catch fish little sudden kidney donor accident come truth husband drug deal death know get married live happily ever half time dark viewer see going dialogue unclear hate full bunch enough connect make good story little girl best added value movie good plot pretty scenery nothing else good say slow acting good waste time half saw like decent fantasy type flick feel good assuming streaming quit half way sure end mine bummed rating violence sensuality brief strong language know rating system think clearly r rated movie sensuality nudity showing get dressed undressed numerous times leaving nothing imagination mean enough already slow boring movie big waste time background mythological sea creature become human movie following stereotypic formula together form script single alcoholic fisherman disabled daughter step father suspicious town folk homespun priest good luck fisherman daughter criminal element added threat overall interpretation disjointed shallow emotional depth mystery good seventh stream found story hard follow times understand plot level sound low sure problem movie never sound first let start confessing watch eccentric slow moving foreign cynical romantic sometimes disgustingly sentimental getting misty one bombed first word boring people get giving even end unforgivable un ex forced ending premise exit available law escape watch film doubtful best really suspension disbelief registered voter enjoy fantasy mythology much next eternal child let start splash original twilight zone whale rider blade runner flash romantic original de king hearts romantic improbable sister could go two got time people ondine might love also professionally done melodrama starring lore variation mermaid two attractive setting bon far colin performance see real treat love colin stick long enough see would get better quit watching like film always get want cinematography poor lit point see talking happening dark night shot still see action skill knowledge evident audio though wrapped wool muffled dialogue dark real annoying short especially local accent already challenge understand beginning wish much direction poor pace film went fast walk limp fell ground slowly painfully really care see another scene another film hero character alcoholic aa meeting goes fifth booze straight bottle anger self pity say cliche comic relief oh right none hate pick child glad say one film young girl film like reading woman ondine sublime throughout living breathing complex creature many colin flat character without energy dimension finally decided evening would pleasantly spent trying breath wet towel two one one might nice story bit slow moving interesting seeing role different really movie saved life also wove life family stayed suspense wondering would end love story point could barely understand saying ending complete let care movie disappointed language story great could understand heavy positive movie knowing actually saying smarmy movie lots nubile female lead swimming wet clothes underwear land case lots high end sexy lingerie also bit hostile new hearing nothing hearing thick brogue tell said without one worst ever seen bad acting pour choice actor didnt care slow could understand spoke sorry found movie incredibly boring forced watch colin fisherman woman ondine fishing net daughter believe mermaid recommend ondine boring movie took forever anything happen main character kind jerk ondine could get play unable print review resend film able access review nice romantic story slow boring would watch however movie ondine directed jordan crying game colin lovely polish actress fisherman catch sea find lovely young woman ondine net unwilling provide explanation personal avoid contact people daughter kidney failure donor ondine sea nymph mysterious man ondine cottage revealing drug runner package absconded struggle place dealer new kidney mother dead ondine live happily ever ondine obviously tale redemption three main however thick could barely make tales plot one enjoyable film twenty five year old unconventional beauty one famous relationship child born bad boy predictably shortly afterwards could possibly thinking days catch commercial beer game good game hour half however pretty stupid buy show awful hear much thought year old would love thank goodness show like acid trip gone wrong show annoying let child watch get could popular love rarely want watch think ask since crazy negative opinion content really like would great actually anything incessantly repeat honestly show rooted extreme weirdness education nothing offensive show nothing significant value basically bad drug trip course understand little could least slightly tolerable dare say rather watch barney far worst show ever seen definitely stick good niece f excuse seem cool sorry nothing show every brought world joy put day half year old year old watched like older one turn son show ordered prime since claim stream season subscription unfortunately lied subscription show heck though year old curious type house show ever television year old go figure collection oddly shaped robot dead ringer hall dressed someone supposed usually musical guest show perform song lot cut video game related like bit coin anyway matter think watch little put episode one brain hurt son bought item never got see kindle never bad spent lot money never got put would pick really learn anything show crazy goofy stuff rather watch something learn like dinosaur train science never watched never let see one worst seen would rather son watch saw show season used free prime would notice change especially one click purchase month music show completely insipid would anyone submit innocent drivel yo show want grow speaking one could habit forming child show also segment biz teach child beat box child learning beat bow day competition came back week final year get retired dance yea month old music dance fun cute guy annoying prime first two yo supposed free prime disappointed prime might well stick never understand show got ground stupid finally forbidden ordered yr granddaughter otherwise probably good program although much reason like character robot cat clue three orange one way much one eyed worm inappropriate visual child said fun simple repetitious month old daughter smile soon season selection one day cameo nick since found make smile laugh phallic appearance go go bubble several later still really like appearance notion lance similar met region nice friendly non threatening upbeat little odd posse akin grimace mayor fry roughly bot eating franchise still pick child see available portray acceptable anyway looking back update taking really long time load video fine long time load video heart give show one star know son would give reason rating like stand watching style leave show running hear blue character god awful voice ever show know ever enamel left teeth dare testing future another problem sing key time sure matter many end listen sing lot singing strange sing inaccurately perfect pitch music snob bad enough listen said show genius might inspiring downside use lot really bad help make inspiration stick going handle next several running around singing yo brushing teeth eating anything else really expect review helpful rate rating sticking bubble blue methinks weird awkward acting weird colors child felt really teach anything useful'
wordCloudPositive = WordCloud(width = 3000, height = 2000).generate(textPositive)
wordCloudNegative = WordCloud(width = 3000, height = 2000).generate(textNegative)
plt.figure(figsize=(20,10))
plt.imshow(wordCloudPositive)
plt.axis("off")
plt.title("Позитивні відгуки", fontsize=40)
plt.show()
plt.figure(figsize=(20,10))
plt.imshow(wordCloudNegative)
plt.axis("off")
plt.title("Негативні відгуки", fontsize=40)
plt.show()
tFidfVectorizer = TfidfVectorizer()
reviewsVector = tFidfVectorizer.fit_transform(reviews["reviewText"])
tFidfVectorizer.get_feature_names_out()
array(['aa', 'aardvark', 'aback', ..., 'zoology', 'zoom', 'zorro'],
dtype=object)
tFidfVectorizer.get_feature_names_out()
array(['aa', 'aardvark', 'aback', ..., 'zoology', 'zoom', 'zorro'],
dtype=object)
print(reviewsVector)
(0, 15742) 0.16553043415012472 (0, 17228) 0.11935076281862052 (0, 5571) 0.11971731815580725 (0, 17029) 0.12540963005554415 (0, 7822) 0.23399866686421267 (0, 13929) 0.2152439267311554 (0, 11414) 0.18276499817619368 (0, 9346) 0.10761400341233868 (0, 15551) 0.07842042931356898 (0, 14284) 0.25170325428046947 (0, 10420) 0.0776453978205364 (0, 15408) 0.15088681577884194 (0, 13030) 0.1001166711316748 (0, 480) 0.10022884073568099 (0, 442) 0.11174704918459785 (0, 14506) 0.05959700276744032 (0, 14140) 0.13997517961778722 (0, 18087) 0.07674033523869978 (0, 15406) 0.11539693238388204 (0, 12135) 0.14066193208492006 (0, 9127) 0.1307396428790285 (0, 290) 0.21340128980389603 (0, 14319) 0.10453457502165729 (0, 1855) 0.13770161395819736 (0, 12336) 0.12366667905012771 : : (27491, 9518) 0.20212918452358844 (27491, 6794) 0.1892727131014653 (27491, 15654) 0.39007118861963397 (27491, 16424) 0.24558970214522333 (27491, 14506) 0.14954804838124822 (27492, 14316) 0.2814011351855214 (27492, 1390) 0.3636834681351228 (27492, 1556) 0.3059447057635156 (27492, 296) 0.2587818068917177 (27492, 18571) 0.27508059768275545 (27492, 10846) 0.26437840592997786 (27492, 3939) 0.18167471277714978 (27492, 446) 0.18442177022003586 (27492, 14636) 0.2443988286373825 (27492, 3571) 0.2155199563745792 (27492, 3919) 0.193264140340106 (27492, 15596) 0.23576259940009348 (27492, 9182) 0.21882576184230956 (27492, 18171) 0.11761458855093196 (27492, 11601) 0.13139554954689206 (27492, 10671) 0.14138258903907144 (27492, 9318) 0.27952880383317597 (27492, 15500) 0.13157544530087037 (27492, 14506) 0.09068730409971221 (27492, 18087) 0.11677389458095279
X_train, X_test, Y_train, Y_test = train_test_split(reviewsVector, reviews['overall'], test_size = 0.25, random_state = 0)
X_train.shape
(20619, 18622)
Y_train.shape
(20619,)
knn = KNeighborsClassifier(n_neighbors = 49)
knn.fit(X_train, Y_train.values.ravel())
knn_prediction = knn.predict(X_test)
print(classification_report(Y_test ,knn_prediction ))
print('Confusion Matrix: \n', confusion_matrix(Y_test,knn_prediction))
print()
print('Accuracy: ', accuracy_score(Y_test,knn_prediction))
precision recall f1-score support
2 0.82 0.56 0.66 2743
4 0.76 0.92 0.83 4131
accuracy 0.77 6874
macro avg 0.79 0.74 0.75 6874
weighted avg 0.78 0.77 0.76 6874
Confusion Matrix:
[[1523 1220]
[ 340 3791]]
Accuracy: 0.7730578993308117
tree_classifier = DecisionTreeClassifier()
tree_classifier.fit(X_train, Y_train)
tree_prediction = tree_classifier.predict(X_test)
print(classification_report(Y_test ,tree_prediction ))
print('Confusion Matrix: \n', confusion_matrix(Y_test,tree_prediction))
print()
print('Accuracy: ', accuracy_score(Y_test,tree_prediction))
precision recall f1-score support
2 0.65 0.63 0.64 2743
4 0.76 0.78 0.77 4131
accuracy 0.72 6874
macro avg 0.71 0.70 0.70 6874
weighted avg 0.72 0.72 0.72 6874
Confusion Matrix:
[[1733 1010]
[ 925 3206]]
Accuracy: 0.7185045097468723
svm_classifier = SVC()
svm_classifier.fit(X_train, Y_train.values.ravel())
svm_prediction = svm_classifier.predict(X_test)
print(classification_report(Y_test ,svm_prediction ))
print('Confusion Matrix: \n', confusion_matrix(Y_test,svm_prediction))
print()
print('Accuracy: ', accuracy_score(Y_test,svm_prediction))
precision recall f1-score support
2 0.85 0.74 0.79 2743
4 0.84 0.91 0.88 4131
accuracy 0.85 6874
macro avg 0.85 0.83 0.84 6874
weighted avg 0.85 0.85 0.84 6874
Confusion Matrix:
[[2042 701]
[ 353 3778]]
Accuracy: 0.8466686063427408
randomForest = RandomForestClassifier()
randomForest.fit(X_train, Y_train.values.ravel())
randomForest_prediction = randomForest.predict(X_test)
print(classification_report(Y_test, randomForest_prediction ))
print('Confusion Matrix: \n', confusion_matrix(Y_test, randomForest_prediction))
print()
print('Accuracy: ', accuracy_score(Y_test,randomForest_prediction))
precision recall f1-score support
2 0.84 0.66 0.74 2743
4 0.80 0.92 0.86 4131
accuracy 0.81 6874
macro avg 0.82 0.79 0.80 6874
weighted avg 0.82 0.81 0.81 6874
Confusion Matrix:
[[1808 935]
[ 338 3793]]
Accuracy: 0.8148094268257201
ada = AdaBoostClassifier()
ada.fit(X_train, Y_train.values.ravel())
ada_predictions = ada.predict(X_test)
print(classification_report(Y_test, ada_predictions ))
print('Confusion Matrix: \n', confusion_matrix(Y_test, ada_predictions))
print()
print('Accuracy: ', accuracy_score(Y_test,ada_predictions))
precision recall f1-score support
2 0.78 0.57 0.66 2743
4 0.76 0.89 0.82 4131
accuracy 0.76 6874
macro avg 0.77 0.73 0.74 6874
weighted avg 0.77 0.76 0.76 6874
Confusion Matrix:
[[1559 1184]
[ 439 3692]]
Accuracy: 0.7638929298807099